맞춤 게시물 유형 / 택시에서 URL에 카테고리 기반 추가


23

에 의해 제어되는 WordPress에서 LMS 유형 시스템을 작성 중 Custom Post types입니다.
게시물 유형은 Lessons(슬러그 포함 courses)이고 라는 유형 custom taxonomy(카테고리)이 courses있습니다.

도메인 URL 구조는 현재 다음과 같이 표시됩니다.

domain.com/courses/lesson-name.

나는 그것이되고 싶어 :

domain.com/courses/[course-name{category}]/lesson-name

또는 본질적으로 :

/[cpt]/%category%/%postname%/

여기 내가 지금 작성한 플러그인이 CPTs있습니다.

function rflms_post_type() {
    $labels = array(
        'name'                => _x( 'Lessons', 'Post Type General Name', 'text_domain' ),
        'singular_name'       => _x( 'Lesson', 'Post Type Singular Name', 'text_domain' ),
        'menu_name'           => __( 'Lessons', 'text_domain' ),
        'parent_item_colon'   => __( 'Parent Product:', 'text_domain' ),
        'all_items'           => __( 'All Lessons', 'text_domain' ),
        'view_item'           => __( 'View Lesson', 'text_domain' ),
        'add_new_item'        => __( 'Add New Lesson', 'text_domain' ),
        'add_new'             => __( 'New Lesson', 'text_domain' ),
        'edit_item'           => __( 'Edit Lesson', 'text_domain' ),
        'update_item'         => __( 'Update Lesson', 'text_domain' ),
        'search_items'        => __( 'Search Lessions', 'text_domain' ),
        'not_found'           => __( 'No Lessons Found', 'text_domain' ),
        'not_found_in_trash'  => __( 'No Lessons Found in Trash', 'text_domain' ),
    );

    $args = array(
        'label'               => __( 'Lessons', 'text_domain' ),
        'description'         => __( 'Referable Lessons', 'text_domain' ),
        'labels'              => $labels,
        'hierarchical'        => false,
        'public'              => true,
        'show_ui'             => true,
        'show_in_menu'        => true,
        'show_in_nav_menus'   => true,
        'show_in_admin_bar'   => true,
        'supports'        => array('premise-member-access', 'title', 'editor', 'author', 'thumbnail', 'excerpt', 'comments'),
        'menu_position'       => 5,
        'menu_icon'           => null,
        'can_export'          => true,
        'has_archive'         => true,
        'exclude_from_search' => false,
        'publicly_queryable'  => true,
        'capability_type'     => 'post',
        'rewrite'                    => array('slug' => 'courses'),
    );

    register_post_type( 'lessons', $args );


// Hook into the 'init' action

}
add_action( 'init', 'rflms_post_type', 0 );

// Register Custom Taxonomy
function custom_taxonomy()  {
    $labels = array(
        'name'                       => _x( 'Courses', 'Taxonomy General Name', 'text_domain' ),
        'singular_name'              => _x( 'Course', 'Taxonomy Singular Name', 'text_domain' ),
        'menu_name'                  => __( 'Courses', 'text_domain' ),
        'all_items'                  => __( 'All Courses', 'text_domain' ),
        'parent_item'                => __( 'Parent Course', 'text_domain' ),
        'parent_item_colon'          => __( 'Parent Course:', 'text_domain' ),
        'new_item_name'              => __( 'New Course Name', 'text_domain' ),
        'add_new_item'               => __( 'Add New Course', 'text_domain' ),
        'edit_item'                  => __( 'Edit Course', 'text_domain' ),
        'update_item'                => __( 'Update Course', 'text_domain' ),
        'separate_items_with_commas' => __( 'Separate Courses with commas', 'text_domain' ),
        'search_items'               => __( 'Search Courses', 'text_domain' ),
        'add_or_remove_items'        => __( 'Add or Remove Courses', 'text_domain' ),
        'choose_from_most_used'      => __( 'Choose from Most Used courses', 'text_domain' ),
    );

    $args = array(
        'labels'                     => $labels,
        'hierarchical'               => true,
        'public'                     => true,
        'show_ui'                    => true,
        'show_admin_column'          => true,
        'show_in_nav_menus'          => true,
        'show_tagcloud'              => false,
        'rewrite'                    => array('slug' => 'courses'),
    );

    register_taxonomy( 'course', 'lessons', $args );
}

// Hook into the 'init' action
add_action( 'init', 'custom_taxonomy', 0 );

최근에 나는이 문제에 직면 해있다. 해결되었습니다! [# 188834] [1] [1] : wordpress.stackexchange.com/questions/94817/…
maheshwaghmare

해결책! (끝없이 연구 한 후) <br/> <br/> post_type_link필터를 수정해야합니다 . 더 많은 : wordpress.stackexchange.com/a/167992/33667 )
T.Todua

답변:


36

강의 쿼리 var를 추가하도록 재 작성을 변경하십시오.

'rewrite' => array('slug' => 'courses/%course%')

그런 다음 필터링 post_type_link하여 선택한 코스를 퍼머 링크에 삽입하십시오.

function wpa_course_post_link( $post_link, $id = 0 ){
    $post = get_post($id);  
    if ( is_object( $post ) ){
        $terms = wp_get_object_terms( $post->ID, 'course' );
        if( $terms ){
            return str_replace( '%course%' , $terms[0]->slug , $post_link );
        }
    }
    return $post_link;  
}
add_filter( 'post_type_link', 'wpa_course_post_link', 1, 3 );

Custom Post Type Permalinks 와 같은 플러그인도 있습니다.


빠른 답변 감사합니다. 이것은 완벽하게 이해됩니다. 그래도 궁금합니다. post_type_link 필터를 어디에 삽입합니까? 전체 문서의 맨 아래로 갈 수 있습니까?
Zach Russell

나는 그것을 바닥에 추가했고 그것은 404 페이지입니다.
Zach Russell

1
다시 쓰기를 비우려면 영구 링크 설정 페이지를 방문하십시오.
Milo

또한 분류 체계 및 게시물 유형이 동일한 슬러그를 공유하는 충돌이있을 수 있습니다.
Milo

내가 지금있는 곳은 permalinks를 올바르게 만들고 있지만 제대로 실행되지 않는 것입니다 (소프트 404입니다). 이 작업을 올바르게 수행하기 위해 내가 할 수있는 일에 대한 권장 사항 permalink flush rewrites가 없습니다. '저장'을 클릭하면 파일이 업데이트됩니다 (nginx이므로 nginx.conf 파일에서 제어 됨)
Zach Russell

1

네! 많은 연구 끝에 플러그인 ' Custom Permalinks ' 가 생겼습니다 . 내 요구 사항을 충족시키는 것-맞춤 URL

  • 카테고리
  • 포스트
  • 커스텀 포스트
  • 맞춤 분류법 등

맞춤 게시물 유형 처럼 -게시물 :

여기에 이미지 설명을 입력하십시오


1

해결책을 찾았습니다!

사용자 정의 게시물 유형에 대한 계층 적 영구 링크를 설정하려면 사용자 정의 게시물 유형 Permalinks ( https://wordpress.org/plugins/custom-post-type-permalinks/ ) 플러그인을 설치하십시오.

등록 된 게시물 유형을 업데이트하십시오. 도움말 센터로 게시물 유형 이름이 있습니다

function help_centre_post_type(){
    register_post_type('helpcentre', array( 
        'labels'            =>  array(
            'name'          =>      __('Help Center'),
            'singular_name' =>      __('Help Center'),
            'all_items'     =>      __('View Posts'),
            'add_new'       =>      __('New Post'),
            'add_new_item'  =>      __('New Help Center'),
            'edit_item'     =>      __('Edit Help Center'),
            'view_item'     =>      __('View Help Center'),
            'search_items'  =>      __('Search Help Center'),
            'no_found'      =>      __('No Help Center Post Found'),
            'not_found_in_trash' => __('No Help Center Post in Trash')
                                ),
        'public'            =>  true,
        'publicly_queryable'=>  true,
        'show_ui'           =>  true, 
        'query_var'         =>  true,
        'show_in_nav_menus' =>  false,
        'capability_type'   =>  'page',
        'hierarchical'      =>  true,
        'rewrite'=> [
            'slug' => 'help-center',
            "with_front" => false
        ],
        "cptp_permalink_structure" => "/%help_centre_category%/%post_id%-%postname%/",
        'menu_position'     =>  21,
        'supports'          =>  array('title','editor', 'thumbnail'),
        'has_archive'       =>  true
    ));
    flush_rewrite_rules();
}
add_action('init', 'help_centre_post_type');

그리고 여기에 분류 분류가 있습니다

function themes_taxonomy() {  
    register_taxonomy(  
        'help_centre_category',  
        'helpcentre',        
        array(
            'label' => __( 'Categories' ),
            'rewrite'=> [
                'slug' => 'help-center',
                "with_front" => false
            ],
            "cptp_permalink_structure" => "/%help_centre_category%/",
            'hierarchical'               => true,
            'public'                     => true,
            'show_ui'                    => true,
            'show_admin_column'          => true,
            'show_in_nav_menus'          => true,
            'query_var' => true
        ) 
    );  
}  
add_action( 'init', 'themes_taxonomy');

이것은 당신의 permalink를 작동시키는 라인입니다.

"cptp_permalink_structure" => "/%help_centre_category%/%post_id%-%postname%/",

당신은 제거 %post_id%하고 유지할 수 있습니다/%help_centre_category%/%postname%/"

대시 보드에서 영구 링크를 플러시하는 것을 잊지 마십시오.


1

나를위한 솔루션에는 세 부분이 있습니다. 필자의 경우 게시물 유형은 trainings입니다.

  1. 추가 'rewrite' => array('slug' => 'trainings/%cat%')받는 register_post_type기능.
  2. 슬러그가 동적 카테고리를 갖도록 변경하십시오.
  3. 새 동적 URL을 "듣고"적절한 템플릿을로드하십시오.

주어진 게시물 유형에 대해 동적 링크를 변경하는 방법은 다음과 같습니다. 추가 functions.php:

function vx_soon_training_post_link( $post_link, $id = 0 ) {
    $post = get_post( $id );
    if ( is_object( $post ) ) {
        $terms = wp_get_object_terms( $post->ID, 'training_cat' );
        if ( $terms ) {
            return str_replace( '%cat%', $terms[0]->slug, $post_link );
        }
    }

    return $post_link;
}

add_filter( 'post_type_link', 'vx_soon_training_post_link', 1, 3 );

... 이것은 새로운 동적 URL에 적절한 템플릿을로드하는 방법입니다. 추가 functions.php:

function archive_rewrite_rules() {
    add_rewrite_rule(
        '^training/(.*)/(.*)/?$',
        'index.php?post_type=trainings&name=$matches[2]',
        'top'
    );
    //flush_rewrite_rules(); // use only once
}

add_action( 'init', 'archive_rewrite_rules' );

그게 다야! 퍼머 링크를 백엔드에 다시 저장하여 퍼머 링크를 새로 고쳐야합니다. 또는 flush_rewrite_rules()기능을 사용하십시오 .


1

register_post_type 함수를 사용하여 사용자 정의 게시물 유형을 등록한 위치에서 아래 행을 업데이트해야합니다.

'rewrite'=> 배열 ( 'slug'=> 'courses / % cat %')

게시물 유형의 동적 링크를 동적으로 변경하려면 functions.php 파일에 아래 코드를 추가해야합니다.

function change_link( $post_link, $id = 0 ) {
    $post = get_post( $id );
    if( $post->post_type == 'courses' ) 
    {
       if ( is_object( $post ) ) {
          $terms = wp_get_object_terms( $post->ID, array('course') );
          if ( $terms ) {
             return str_replace( '%cat%', $terms[0]->slug, $post_link );
         }
      }
    }
    return   $post_link ;
}
add_filter( 'post_type_link', 'change_link', 1, 3 );

//load the template on the new generated URL otherwise you will get 404's the page

function generated_rewrite_rules() {
   add_rewrite_rule(
       '^courses/(.*)/(.*)/?$',
       'index.php?post_type=courses&name=$matches[2]',
       'top'
   );
}
add_action( 'init', 'generated_rewrite_rules' );

그 후에는 재 작성 영구 링크를 플러시해야합니다. wp-admin> 설정> 영구 링크로 이동하십시오 . "변경 사항 저장"버튼을 사용하여 퍼머 링크 설정을 업데이트하십시오.

아래와 같은 URL을 반환합니다 :

  • domain.com/courses/[course-name{category}]/lesson-name

고맙습니다!


0

이것은 나를 위해 일했다 :

'rewrite' => array(
        'slug' => 'portfolio',
        'with_front' => false,
        'hierarchical' => true // to display category/subcategroy
    ),

5
카테고리 또는 경로를 사용하지 않고 맞춤 게시물 유형 만 계층 적으로 만듭니다.
Joris Kroos

0

원시 PHP 코드를 수정하지 않고 솔루션에 관심이있는 사람이라면 Maciej Bis의 Permalink Manager Lite 플러그인을 강력히 추천합니다 . 생명의 은인입니다.

'permastructs'를 기반으로 맞춤 게시물 유형의 URL에서 원하는 부분을 제거하거나 추가하는 시각적 메커니즘이 있습니다.

Permalink Manager Lite의 스크린 샷

(사용자 지정 게시물 유형의 간단한 URL 구조화와 관련된 모든 어려움으로 인해 WP를 포기하고 다른 CMS로 이동하려고했지만 ACF 및 CPTUI 또는 포드와 함께이 플러그인을 사용하면 Wordpress를 상당히 전문적으로 만들 수 있습니다.)

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.