Learn how to leverage Drupal's hook system to enhance module functionality and modify core behaviors effectively.
An assortment of PHP-written files with specific functionalities comprises a Drupal module. Modules can access all of Drupal's core variables and functions within the site’s environment. Hooks are special functions that let you "hook into" Drupal's core operations at particular stages, allowing modules to extend, modify, or enhance default behaviors.
Hooks allow modules to intercept and alter information or functionality provided by Drupal core or other modules. They follow a specific naming convention: hook_name()
, where "hook" is replaced with the module name, and "name" is the specific hook.
Create a custom hook by defining a function that other modules can use to interact with your module. For documentation, create a *.api.php
file in the module's root directory.
<?php
/**
* @file
* Documentation for hooks in the my_custom_module module.
*/
/**
* Allows other modules to modify a data array.
*
* @param array &$data
* An associative array with:
* - 'title': A string title.
* - 'description': A string description.
* - 'items': An array of items to be modified.
*/
function hook_my_custom_module_alter(array &$data) {
// Example implementation:
$data['title'] = t('Modified Title');
$data['items'][] = ['name' => t('Additional Item'), 'value' => 'Custom value'];
}
Hooks act as callback functions during page requests, triggered at specific points. For example, hook_node_view
allows customization of node content during rendering.
hook_form_alter
and hook_menu_alter
.hook_node_insert
when a node is created.hook_entity_presave
for validating entities before saving.hook_form_alter
: Modifies forms, adds fields, or customizes form submissions.hook_menu
: Defines menu items and their callbacks.hook_theme
: Creates custom theme functions for rendering templates.hook_node_view
: Alters node display and content.This example adds custom validation to the user login form:
function mymodule_form_alter(&$form, &$form_state, $form_id) {
if ($form_id == 'user_login') {
$form['#validate'][] = 'mymodule_user_login_validate';
}
}
function mymodule_user_login_validate($form, &$form_state) {
if (strlen($form_state['values']['name']) < 5) {
form_set_error('name', t('The username must be at least 5 characters long.'));
}
}