Drupal 7の場合、taxonomy.pages.incにはtaxonomy_term_page()
が含まれ、これにより、分類見出しの出力の周りに_<div class="term-listing-heading">
_が配置されます。
テーマで taxonomy_term_page() の出力を書き換えて、コアをハッキングせずにDIVを削除するにはどうすればよいですか?
taxonomy_term_page()
で使用できるtpl.phpファイルがないことで、テーマ設定がはるかに簡単になるので、私はかなり驚いています。
次のような前処理ページでそれを行うことができます:
function themename_preprocess_page(&$vars) {
if (arg(0) == 'taxonomy' && arg(1) == 'term' && is_numeric(arg(2))) {
unset($vars['page']['content']['system_main']['term_heading']['#prefix']);
unset($vars['page']['content']['system_main']['term_heading']['#suffix']);
}
}
あなたのテーマのtemplate.php
私は信じている system_main
は、サイトの設定によっては、別の名前で呼ばれることもあります。
これはメニューコールバックなので、モジュールに hook_menu_alter() を実装して、そのページに対して呼び出されるメニューコールバックを変更できます。
function mymodule_menu_alter(&$items) {
if (!empty($items['taxonomy/term/%taxonomy_term'])) {
$items['taxonomy/term/%taxonomy_term']['page callback'] = 'mymodule_term_page';
}
}
function mymodule_term_page($term) {
// Build breadcrumb based on the hierarchy of the term.
$current = (object) array(
'tid' => $term->tid,
);
$breadcrumb = array();
while ($parents = taxonomy_get_parents($current->tid)) {
$current = array_shift($parents);
$breadcrumb[] = l($current->name, 'taxonomy/term/' . $current->tid);
}
$breadcrumb[] = l(t('Home'), NULL);
$breadcrumb = array_reverse($breadcrumb);
drupal_set_breadcrumb($breadcrumb);
drupal_add_feed('taxonomy/term/' . $term->tid . '/feed', 'RSS - ' . $term->name);
$build = array();
$build['term_heading'] = array(
'term' => taxonomy_term_view($term, 'full'),
);
if ($nids = taxonomy_select_nodes($term->tid, TRUE, variable_get('default_nodes_main', 10))) {
$nodes = node_load_multiple($nids);
$build += node_view_multiple($nodes);
$build['pager'] = array(
'#theme' => 'pager',
'#weight' => 5,
);
}
else {
$build['no_content'] = array(
'#prefix' => '<p>',
'#markup' => t('There is currently no content classified with this term.'),
'#suffix' => '</p>',
);
}
return $build;
}
前の例と同様に、元の関数のホールセールをコピーするのではなく、ラッパーでtaxonomy_term_pageからの戻り値を変更する方がより明確で将来の可能性があることを除きます。
function mymodule_menu_alter(&$items) {
if (!empty($items['taxonomy/term/%taxonomy_term'])) {
$items['taxonomy/term/%taxonomy_term']['page callback'] = '_custom_taxonomy_term_page';
}
}
function _custom_taxonomy_term_page ( $term ) {
$build = taxonomy_term_page( $term );
// Make customizations then return
unset( $build['term_heading']['#prefix'] );
unset( $build['term_heading']['#suffix'] );
return $build;
}