0
中的過濾節點,如何在頁面模板中獲取基於某個過濾器的節點列表?例如,頁 - popular.tpl.phpDrupal。在Drupal 7中獲取模板
例如,獲取內容類型爲'article'和分類標題名'news'的最新4個節點?
我知道大多數人在'意見'中這樣做,但有理由我不能這樣做。
欣賞有人能幫助!
中的過濾節點,如何在頁面模板中獲取基於某個過濾器的節點列表?例如,頁 - popular.tpl.phpDrupal。在Drupal 7中獲取模板
例如,獲取內容類型爲'article'和分類標題名'news'的最新4個節點?
我知道大多數人在'意見'中這樣做,但有理由我不能這樣做。
欣賞有人能幫助!
頁面模板包含區域,特別是已經呈現的content
區域。所以,我想,你的問題必須如下正確地表述:「我怎樣才能製作一個包含節點列表的自定義頁面,而不使用視圖」。要做到這一點,你需要你的模塊中實現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().
}
}
解釋你的「原因」。 –