重新编写taxonomy_term_page()的输出,而无需修改内核


10

在Drupal 7中,taxonomy.pages.inc包含taxonomy_term_page(),它将放在<div class="term-listing-heading">分类法标题输出周围。

我该如何在主题中重写taxonomy_term_page()的输出,以便可以删除DIV而无需改动内核?

我很惊讶没有可用的tpl.php文件,taxonomy_term_page()因为这会使主题化变得更加容易。


Answers:


11

您可以使用如下预处理页面来完成此操作:

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可以将其称为“其他”,具体取决于您的网站设置。


6

由于它是菜单回调,因此可以在模块中实现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;
}

谢谢!我更喜欢googletorp的方法,因为它不需要单独的模块。但是您的建议很棒,因为它可以提供更多控制权。谢谢!
big_smile

据我记得,hook_menu_alter()也可以在主题中实现;在Drupal 7中,主题可以实现alter hook。
kiamlaluno

2

与前面的示例类似,除了修改包装中的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;
}

这可能是最好的方法。
Horatio Alderaan 2012年
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.