Drupal的。在模板

时间:2016-05-03 08:28:14

标签: php drupal drupal-7 drupal-theming

在Drupal 7中,如何在页面模板中获取基于某个过滤器的节点列表?例如,page - popular.tpl.php

例如,获取内容类型为“文章”和分类名称为“新闻”的最新4个节点?

我知道大多数人都会在“观点”中这样做,但有理由我不能这样做。

感谢是否有人可以提供帮助!

1 个答案:

答案 0 :(得分:2)

页面模板包含区域,特别是已经呈现的content区域。因此,我想,您的问题必须按如下方式正确制定:"如何在不使用Views"的情况下制作包含节点列表的自定义页面。为此,您需要在模块中实施hook_menu

/**
 * Implements hook_menu().
 */
function mymodule_menu() {
  $items = array();

  $items['popular'] = array(
    'title' => 'Popular articles',
    'page callback' => '_mymodule_page_callback_popular',
    'access arguments' => array('access content'),
    'type' => MENU_CALLBACK,
  );

  return $items;
}

/**
 * Page callback for /popular page.
 */
function _mymodule_page_callback_popular() {

  $news_tid = 1; // This may be also taken from the URL or page arguments.

  $query = new EntityFieldQuery();

  $query->entityCondition('entity_type', 'node')
    ->entityCondition('bundle', 'article')
    ->propertyCondition('status', NODE_PUBLISHED)
    ->fieldCondition('field_taxonomy', 'tid', $news_tid) // Use your field name
    ->propertyOrderBy('created', 'DESC')
    ->range(0, 4);

  $result = $query->execute();

  if (isset($result['node'])) {
    $node_nids = array_keys($result['node']);
    $nodes = entity_load('node', $node_nids);

    // Now do what you want with loaded nodes. For example, show list of nodes
    // using node_view_multiple().
  }
}

查看hook_menuHow to use EntityFieldQuery