web-dev-qa-db-ja.com

Add_actionの間に投稿が2回以上保存されています(save_post)

新しい投稿ページを作成するために、特定の投稿カテゴリの詳細情報のカスタムメタボックスを追加しました。

これで、投稿を保存すると、2つのpost_idを持つ2つのエントリがdbに書き込まれることがわかりました。

add_action( 'add_meta_boxes', 'my-plugin_add_custom_box' );
add_action( 'save_post', 'my-plugin_save_postdata' );

my-plugin
function my-plugin_add_custom_box() {
    add_meta_box( 
        'my-plugin_sectionid',
        __( 'my-plugin', 'my-plugin_textdomain' ),
        'my-plugin_inner_custom_box',
        'post' 
    );
}

/* When the post is saved, saves our custom data */
function my-plugin_save_postdata( $post_id ) {
  // verify if this is an auto save routine. 
  // If it is our form has not been submitted, so we dont want to do anything
  if ( defined( 'DOING_AUTOSAVE' ) && DOING_AUTOSAVE ) 
      return;

  // verify this came from the our screen and with proper authorization,
  // because save_post can be triggered at other times

  if ( !wp_verify_nonce( $_POST['my-plugin_noncename'], plugin_basename( __FILE__ ) ) )
      return;


  // Check permissions
  if ( 'page' == $_POST['post_type'] ) //is this the correct post_type?
  {
    if ( !current_user_can( 'edit_page', $post_id ) )
        return;
  }
  else
  {
    if ( !current_user_can( 'edit_post', $post_id ) )
        return;
  }

  // OK, we're authenticated: we need to find and save the data

    //$mydata = $_REQUEST['sports'];
    print($post_id); //prints two post ids e.g. 831 & 832
    //print($mydata); //prints two times content of $mydata
}

テーブルwp_postsの2つのレコードが作成されるのはなぜですか?投稿を更新すると、post_name post_id-revision(843-revision)で新しいレコードが作成されます。 sports のような新しい投稿タイプを作成する利点は何ですか? $_REQUEST['sports'];のような私の高度な情報はwp_postsへの参照と共に別のデータベースに格納される予定です。

前もってありがとう&BR、

mybecks

3
mybecks

2つのIDのうちの1つは改訂後かもしれません。この振る舞いを防ぐために、私はいつもsave_postdata関数でこのチェックをしています。

// Autosave, do nothing
if ( defined( 'DOING_AUTOSAVE' ) && DOING_AUTOSAVE ) 
        return;
// AJAX? Not used here
if ( defined( 'DOING_AJAX' ) && DOING_AJAX ) 
        return;
// Check user permissions
if ( ! current_user_can( 'edit_post', $post_id ) )
        return;
// Return if it's a post revision
if ( false !== wp_is_post_revision( $post_id ) )
        return;

ご覧のとおり、ここで使用している最後の条件は、改訂版をチェックします。あなたの関数でもこれを使うようにしてください。

7
swissspidy

の読み方は/です。

あなたの関数my-plugin_save_postdata()doでは、メタデータを更新する必要があります。これを行うには関数update_post_meta()を使用してください。 $_POSTだけが真です。また、リビジョンを無効にしていない場合は、WPを使用して新しいエントリをデータベースに保存します。投稿のすべての更新は自動保存を含み、新しいIDで新しい投稿を作成します。 wp-config.php - define( 'WP_POST_REVISIONS', FALSE );の定数でこれをやめることができます

1
bueltge