web-dev-qa-db-fra.com

Post types personnalisés - Utilisez post_id dans la structure permalien

J'enregistre mon CPT comme suit:

$args = array(
    'labels' => $labels,
    'public' => true,
    'hierarchical' => false,
    'rewrite' => array(
        'with_front' => false,
        'slug' => 'news/events'
    ),
    'supports' => array( 'title', 'editor', 'thumbnail' )
);
register_post_type('events',$args);

Maintenant, cela générera des permaliens post comme ceci: /news/events/{post_name}/ mais je veux la structure permalien suivante: /news/events/{post_id}/{post_name}/.

Comment puis-je faire cela?

6
Brady

@Bainternet - votre réponse n'a pas complètement fonctionné, mais j'ai effectué quelques recherches supplémentaires et j'ai pu reconstituer ce filtre qui fonctionnait:

add_filter('post_type_link', 'custom_event_permalink', 1, 3);
function custom_event_permalink($post_link, $id = 0, $leavename) {
    if ( strpos('%event_id%', $post_link) === 'FALSE' ) {
        return $post_link;
    }
    $post = &get_post($id);
    if ( is_wp_error($post) || $post->post_type != 'events' ) {
        return $post_link;
    }
    return str_replace('%event_id%', $post->ID, $post_link);
}

+1 pour m'avoir fait presque tout le chemin

7
Brady

Essayez ceci Premièrement, ajoutez à %event_id% à votre slug:

$args = array(
    'labels' => $labels,
    'public' => true,
    'hierarchical' => false,
    'rewrite' => array(
        'with_front' => false,
        'slug' => 'news/events/%event_id%/%postname%'
    ),
    'supports' => array( 'title', 'editor', 'thumbnail' )
);
register_post_type('events',$args);

puis ajoutez un filtre au premalink d’événement unique:

add_filter('post_type_link', 'custom_event_permalink', 1, 3);
function custom_event_permalink($post_link, $id = 0, $leavename) {
    global $wp_rewrite;
    $post = &get_post($id);
    if ( is_wp_error( $post )  || 'events' != $post->post_type)
        return $post_link;
    $newlink = $wp_rewrite->get_extra_permastruct('events');
    $newlink = str_replace("%event_id%", $post->ID, $newlink);
    $newlink = home_url(user_trailingslashit($newlink));
    return $newlink;
}

cela devrait faire l'affaire mais c'est non testé . Et assurez-vous de vider les règles de réécriture.

6
Bainternet