如何在drupal 6中的块中添加一个带有php的body类?

时间:2012-12-13 12:22:30

标签: php css drupal drupal-6 drupal-blocks

我在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;
}
?>

1 个答案:

答案 0 :(得分:3)

前期评论:如果您的实际情况取决于请求网址,正如您的示例所示,那么我同意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');
}