programing

사용자 지정 게시글 메타 저장, 데이터 저장 안 함

bestprogram 2023. 10. 19. 22:39

사용자 지정 게시글 메타 저장, 데이터 저장 안 함

메타박스 날짜와 날짜로 사용자 지정 게시물 유형을 작성했습니다.

콜백 기능을 사용하여 사용자 지정 포스트 유형 만들기add_events_metaboxes

function event_list_init(){

    $labels = array(
        'name'                  => _x( 'Events', 'post type general name' ),
        'singular_name'         => _x( 'Event', 'post type singular name' ),
        'menu_name'             => _x( 'Events List', 'admin menu' ),
        'name_admin_bar'        => _x( 'Events List', 'add new on admin bar' ),
        'add_new_item'          => __( 'Add New Event' ),
        'new_item'              => __( 'New Event' ),
        'edit_item'             => __( 'Edit Event' ),
        'view_item'             => __( 'View Event' ),
        'all_items'             => __( 'All Events' ),
        'search_items'          => __( 'Search Events' ),
        'not_found'             => __( 'No Events found.' ),
        'not_found_in_trash'    => __( 'No Events found in Trash.' )
    );

    $args   = array(
        'labels'                => $labels,
        'description'           => __( 'Create Events' ),
        'public'                => true,
        'publicly_queryable'    => true,
        'show_ui'               => true,
        'show_in_menu'          => true,
        'query_var'             => true,
        'rewrite'               => array( 'slug' => 'event' ),
        'capability_type'       => 'post',
        'has_archive'           => true,
        'hierarchical'          => true,
        'menu_position'         => 6,
        'register_meta_box_cb'  => 'add_events_metaboxes',
        'menu_icon'             => 'dashicons-calendar-alt',
        'supports'              => array( 'title', 'editor', 'author', 'thumbnail', 'excerpt', 'comments' )
    );

    register_post_type('events',$args);

}

add_action('init','event_list_init');

여기에 동작 후크를 통해 메타박스를 생성하고 포스트 데이터를 저장하기 위해 클래스를 인스턴스화하는 콜백 기능이 있습니다.save_post

function add_events_metaboxes(){
   new eventsListMetaBox();
}

class eventsListMetaBox{
    /*
     * Constructor that creates the meta box
     */
    public  function  __construct(){
        /**
         * Render and Add form meta box
         */
        add_meta_box('wpt_events_date', 'Events Date', array($this, 'fisa_events_date'), 'events', 'side', 'high');

        /**
         * Save Date from and to as meta key
         */
        add_action('save_post',array($this, 'fisa_events_date_save'),1,2);
    }

    /**
     * Render Form for Events date
     */
    function fisa_events_date() {

        global $post;

        // Add an nonce field so we can check for it later.
        wp_nonce_field( 'events_date_fromto', 'events_datefromto_nonce' );

        // Echo out the field
        echo '<label for="_fisa_date_from">Date From</label>';
        echo '<input id="fisa-event-datefrom" type="text" name="_fisa_date_from"  class="widefat" />';
        echo '<br/><br/>';
        echo '<label for="_fisa_date_to">Date To</label>';
        echo '<input id="fisa-event-dateto" type="text" name="_fisa_date_to" class="widefat" />';

    }

    /**
     * Meta key actual database insertion
     */
    function fisa_events_date_save($post_id){

        /**
         * Check if nonce is not set
         */
//        if (!isset($_POST['events_datefromto_nonce']))
//            return $post_id;
//
//        $nonce = $_POST['events_datefromto_nonce'];
//        /**
//         * Verify that the request came from our screen with the proper authorization
//         */
//        if(!wp_verify_nonce($nonce,'events_date_fromto'))
//            return $post_id;
//
//        //Check the user's permission
//
//        if(!current_user_can('edit_post',$post_id) )
//            return $post_id;

        //Prepare and sanitize the data before saving it
        $events_date =  array(
                            sanitize_text_field( $_POST['_fisa_date_from']),
                            sanitize_text_field($_POST['_fisa_date_to'])
                        );

        update_post_meta($post_id, '_fisa_events_date', $events_date);
    }
}

내 문제는 앞이 보이지 않는다는 것입니다._fisa_events_date의 핵심을 찌르다postmeta워드프레스의 표제가 놓친 부분이나 저장하려면 어떻게 해야 하는지 지적해주실 분 있나요?

당신은 의지합니다.register_meta_box_cb메타 상자를 표시하고 저장 논리를 연결합니다.save_post. 문제는 워드프레스가 실행된다는 것입니다.register_meta_box_cb(호크를 연결합니다.)add_meta_boxes) 메타박스를 표시해야 할 경우에만 해당됩니다. 즉, 편집 또는 추가 게시 페이지가 방문될 때만 해당됩니다.그러나 워드프레스는 게시물을 저장할 때 메타박스를 표시할 필요가 없습니다.register_meta_box_cb,add_events_metaboxes, 그리고 당신의save_post갈고리는 절대 부르지 않습니다.

가장 간단한 해결책은 당신의register_meta_box_cb논쟁하고, 당신의 것을 낚아채세요.add_events_metaboxes이벤트에 대한 기능을 수행합니다.

add_action('admin_init', 'add_events_metaboxes');

당신은 당신의 바로 아래에서 이것을 할 수 있습니다.add_action('init', 'event_list_init')갈고리를 매다

여기서 요점을 찾으세요.

워드프레스 문서에 따르면register_meta_box_cb:

편집 양식에 대한 메타 상자를 설정할 때 호출됩니다.

너무 늦은 시간이라 연결할 수 없습니다.save_post.

그래서 나는 당신이 그들을 따로 연결하는 것을 제안합니다.save_post당신이 할 수 있는 어딘가에php 파일:

게시글유형등록중

$args   = array(
    ....
    'register_meta_box_cb'  => 'add_events_metaboxes',
    ....
);
register_post_type( 'events', $args );

메타박스 렌더링

function add_events_metaboxes(){
   new eventsListMetaBox();
}

class eventsListMetaBox{
    public  function  __construct(){
        add_meta_box('wpt_events_date', 'Events Date', array($this, 'fisa_events_date'), 'events', 'side', 'high');
    }

    function fisa_events_date() {
        ...
    }
}

메타박스 저장하기

add_action( 'save_post', 'fisa_events_date_save' );

function fisa_events_date_save(){
    global $post;
    $post_id = $post->ID;

    // Use wp_verify_nonce and other checks to verify everything is right

    $events_date =  array(
                        sanitize_text_field( $_POST['_fisa_date_from']),
                        sanitize_text_field($_POST['_fisa_date_to'])
                    );
    update_post_meta($post_id, '_fisa_events_date', $events_date);
}

Wordpress는 완전히 Object-Oriented(객체 지향적)으로 작동하는 것이 아니므로 OOP 개념으로 후킹 시스템을 사용하는 데 문제가 있을 수 있습니다.

다른 답변에서도 드러나듯이, 문제는 콜백이 다음 사항만 처리한다는 것입니다.

하고 콜백을 합니다.

save_post 는 콜백에서 다루지 않으며 독립적이어야 합니다.다음과 같은 작업 후크가 발생합니다.

가져오기, 포스트/페이지 편집 양식, xmlrpc 또는 이메일로 게시된 포스트 또는 페이지가 생성되거나 업데이트될 때마다

메타박스 제작을 랩핑하기 위해 클래스를 사용하고 있으니, 그 안에 있는 모든 것을 랩핑하는 것을 추천합니다.
PS: 의견을 확인하고 내부에 필요한 확인 사항을 추가합니다.save_post콜백

<?php
class MyEvents {
    public  function  __construct(){
        add_action( 'init', array( $this, 'init' ) );    
        add_action( 'save_post', array( $this, 'save_post' ), 10, 2 ); // no need to change priority to 1
    }

    public function init(){
        $labels = array(
            'name'                  => _x( 'Events', 'post type general name' ),
            'singular_name'         => _x( 'Event', 'post type singular name' ),
            'menu_name'             => _x( 'Events List', 'admin menu' ),
            'name_admin_bar'        => _x( 'Events List', 'add new on admin bar' ),
            'add_new_item'          => __( 'Add New Event' ),
            'new_item'              => __( 'New Event' ),
            'edit_item'             => __( 'Edit Event' ),
            'view_item'             => __( 'View Event' ),
            'all_items'             => __( 'All Events' ),
            'search_items'          => __( 'Search Events' ),
            'not_found'             => __( 'No Events found.' ),
            'not_found_in_trash'    => __( 'No Events found in Trash.' )
        );
        $args   = array(
            'labels'                => $labels,
            'description'           => __( 'Create Events' ),
            'public'                => true,
            'publicly_queryable'    => true,
            'show_ui'               => true,
            'show_in_menu'          => true,
            'query_var'             => true,
            'rewrite'               => array( 'slug' => 'event' ),
            'capability_type'       => 'post',
            'has_archive'           => true,
            'hierarchical'          => true,
            'menu_position'         => 6,
            'register_meta_box_cb'  => array( $this, 'add_metaboxes' ),
            'menu_icon'             => 'dashicons-calendar-alt',
            'supports'              => array( 'title', 'editor', 'author', 'thumbnail', 'excerpt', 'comments' )
        );
        register_post_type('events',$args);
    }

    public function add_metaboxes() {
        add_meta_box( 'wpt_events_date', 'Events Date', array( $this, 'the_metabox' ), 'events', 'side', 'high' );
    }

    public function the_metabox( $post ) { // No need for "global $post", it's passed as parameter
        wp_nonce_field( 'events_date_fromto', 'events_datefromto_nonce' );
        $dates = get_post_meta( $post->ID, '_fisa_events_date', true);
        $from = $dates ? $dates[0] : false;
        $to = $dates ? $dates[1] : false;
        echo '<label for="_fisa_date_from">Date From</label>';
        printf(
            '<input id="fisa-event-datefrom" type="text" name="_fisa_date_from"  class="widefat" value="%s" />',
            $from ? $from : ''
        );
        echo '';
        echo '<br/><br/>';
        echo '<label for="_fisa_date_to">Date To</label>';
        printf(
            '<input id="fisa-event-dateto" type="text" name="_fisa_date_to"  class="widefat" value="%s" />',
            $to ? $to : ''
        );
    }

    public function save_post( $post_id, $post_object ) { // second parameter has useful info about current post
        /* BRUTE FORCE debug */
        // wp_die( sprintf( '<pre>%s</pre>', print_r( $_POST, true ) ) );

        /**
         * ADD SECURITY AND CONTENT CHECKS, omitted for brevity
         */
        if( !empty( $_POST['_fisa_date_from'] ) ) {
            $events_date =  array(
                                sanitize_text_field( $_POST['_fisa_date_from']),
                                sanitize_text_field($_POST['_fisa_date_to'])
                            );
            update_post_meta($post_id, '_fisa_events_date', $events_date);
        }
    }
}
new MyEvents();

가장 간단하고 유연한 솔루션은 고급 사용자 정의 필드를 사용하는 것입니다.

언급URL : https://stackoverflow.com/questions/35358088/save-custom-post-meta-not-saving-the-data