web-dev-qa-db-ja.com

プラグインのget_template_part

これはWordPress内部のデフォルトのget_template_part関数です。

function get_template_part( $slug, $name = null ) {
    do_action( "get_template_part_{$slug}", $slug, $name );

    $templates = array();
    if ( isset($name) )
        $templates[] = "{$slug}-{$name}.php";

    $templates[] = "{$slug}.php";

    locate_template($templates, true, false);
}

私はプラグインからカスタム投稿タイプループファイルを見つけるためにそのアクションを使用しようとしています:

add_action( "get_template_part_templates/loop", function($slug, $name){
    if ("example" == $name){
        if (!locate_template("templates/loop-{$name}.php", false, false)){
            /* What do you suggest to do here? */
        }
    }   
},10,2 );

解決策が必要です。

  1. テーマに "example"カスタム投稿タイプのファイルがあるかどうかを確認します
  2. 持っていない場合表示にはプラグインのテンプレートファイルを使用し、テーマのデフォルトソリューションは使用しないでください

更新: /これはテーマのテンプレート部分を呼び出すコードです:

global $post;
get_template_part( 'templates/loop', $post->post_type );
4
Ünsal Korkmaz

/**
*Extend WP Core get_template_part() function to load files from the within Plugin directory defined by PLUGIN_DIR_PATH constant
* * Load the page to be displayed 
* from within plugin files directory only 
* * @uses mec_locate_admin_menu_template() function 
* * @param $slug * @param null $name 
*/ 

function mec_get_admin_menu_page($slug, $name = null) {

do_action("mec_get_admin_menu_page_{$slug}", $slug, $name);

$templates = array();
if (isset($name))
    $templates[] = "{$slug}-{$name}.php";

$templates[] = "{$slug}.php";

mec_locate_admin_menu_template($templates, true, false);
}

/* Extend locate_template from WP Core 
* Define a location of your plugin file dir to a constant in this case = PLUGIN_DIR_PATH 
* Note: PLUGIN_DIR_PATH - can be any folder/subdirectory within your plugin files 
*/ 

function mec_locate_admin_menu_template($template_names, $load = false, $require_once = true ) 
{ 
$located = ''; 
foreach ( (array) $template_names as $template_name ) { 
if ( !$template_name ) continue; 

/* search file within the PLUGIN_DIR_PATH only */ 
if ( file_exists(PLUGIN_DIR_PATH . '/' . $template_name)) { 
$located = PLUGIN_DIR_PATH . '/' . $template_name; 
break; 
} 
}

if ( $load && '' != $located )
    load_template( $located, $require_once );

return $located;
}

それからmec_get_admin_menu_page($slug, $name = null);関数のようにあなたのプラグインファイルのどこかでget_template_part($slug, $name = null)関数を使います。

mec_get_admin_menu_page('custom-page','one'); 

上記のサンプル関数はあなたのcustom-page-one.phpの中のPLUGIN_DIR_PATHファイルを探してそれをロードします。

また、私はあなたが使うことを勧めます:

define('PLUGIN_DIR_PATH', plugin_dir_path(__FILE__));

プラグインディレクトリパスを定義します。

1
user36382

例えばtemplate_includeフィルタにフックする必要があります。

add_filter('template_include', 'my_function_name');
function my_function_name( $template ) {
 if ("example" == $name){
  $template = dirname( __FILE__ ) . '/my-template.php';
 }
 return $template;
}

私は数年前にここでこれを尋ねました、そして、プロジェクトのためにそれ以来数回それを使いました:)

0
Gareth Gillman