如何在drupal6中的块中添加带有php的body类



我在drupal 6中有一个带有php代码的块,我想将某个类添加到主体中,但我如何实现这一点?

是否可以在预处理函数之外执行此操作?

显示以下PHP代码是否返回TRUE(PHP模式,仅限专家)。

<?php 
$url = request_uri();
if (strpos($url, "somestring"))
{
$vars['body_classes'] .= ' someclass';
}
elseif ( arg(0) != 'node' || !is_numeric(arg(1)))
{ 
return FALSE;
}
$temp_node = node_load(arg(1));
$url = request_uri();
if ( $temp_node->type == 'type' || strpos($url, "somestring"))
{
return TRUE;
}
?>

前置备注:如果您的实际情况取决于请求URL,如您的示例所示,那么我同意Terry Seidlers的评论,即您应该在自定义模块的*_preprocess_page()实现中或在主题template.php中执行此操作。

更通用的选项:

AFAIK,这在开箱即用的*_preprocess_page()功能之外是不可能的。然而,您可以通过一个助手功能轻松地添加此功能:

/**
* Add a class to the body element (preventing duplicates)
* NOTE: This function works similar to drupal_add_css/js, in that it 'collects' classes within a static cache,
* adding them to the page template variables later on via yourModule_preprocess_page().
* This implies that one can not reliably use it to add body classes from within other
* preprocess_page implementations, as they might get called later in the preprocessing!
*
* @param string $class
*   The class to add.
* @return array
*   The classes from the static cache added so far.
*/
function yourModule_add_body_class($class = NULL) {
static $classes;
if (!isset($classes)) {
$classes = array();
}
if (isset($class) && !in_array($class, $classes)) {
$classes[] = $class;
}
return $classes;
}

这允许您在页面周期的任何地方从PHP代码中"收集"任意主体类,只要它在最终页面预处理之前被调用即可。类存储在静态数组中,实际添加到输出中的操作发生在yourModule_preprocess_page()实现中:

/**
* Implementation of preprocess_page()
*
* @param array $variables
*/
function yourModule_preprocess_page(&$variables) {
// Add additional body classes, preventing duplicates
$existing_classes = explode(' ', $variables['body_classes']);
$combined_classes = array_merge($existing_classes, yourModule_add_body_class());
$variables['body_classes'] = implode(' ', array_unique($combined_classes));
}

我通常在自定义模块中执行此操作,但您也可以在主题template.php文件中执行同样的操作。

有了这一点,您几乎可以在任何地方执行以下操作,例如在块组装期间:

if ($someCondition) {
yourModule_add_body_class('someBodyClass');
}

相关内容

  • 没有找到相关文章

最新更新