Answers:
您需要分别附加字段,不能通过添加字段hook_node_info()
。通常,您可以hook_install()
在模块的.install文件中的函数中执行此操作。
来自Drupal核心的一个很好的简单示例在博客模块的安装文件中:
function blog_install() {
// Ensure the blog node type is available.
node_types_rebuild();
$types = node_type_get_types();
node_add_body_field($types['blog']);
}
该函数仅重建节点类型(因此可以使用新添加的类型),然后使用该node_add_body_field()
函数向其添加一个body字段。此函数本身提供了一个很好的示例,说明如何创建字段,该字段的实例,然后使用field_create_field()
和field_create_instance()
函数将其附加到内容类型。
代码没有那么长,所以我将在此处作为示例:
function node_add_body_field($type, $label = 'Body') {
// Add or remove the body field, as needed.
$field = field_info_field('body');
$instance = field_info_instance('node', 'body', $type->type);
if (empty($field)) {
$field = array(
'field_name' => 'body',
'type' => 'text_with_summary',
'entity_types' => array('node'),
);
$field = field_create_field($field);
}
if (empty($instance)) {
$instance = array(
'field_name' => 'body',
'entity_type' => 'node',
'bundle' => $type->type,
'label' => $label,
'widget' => array('type' => 'text_textarea_with_summary'),
'settings' => array('display_summary' => TRUE),
'display' => array(
'default' => array(
'label' => 'hidden',
'type' => 'text_default',
),
'teaser' => array(
'label' => 'hidden',
'type' => 'text_summary_or_trimmed',
),
),
);
$instance = field_create_instance($instance);
}
return $instance;
}