Answers:
您可以在模块中使用hook_js_alter()。例如,此代码用jquery_update目录中存在的文件替换Drupal使用的jQuery库。
function jquery_update_js_alter(&$javascript) {
// Swap out jQuery to use an updated version of the library.
$javascript['misc/jquery.js']['data'] = drupal_get_path('module', 'jquery_update') . '/jquery.js';
}
内联JavaScript代码也可以这样做。不同之处在于:
'misc/jquery.js'
,第一个索引是一个数字$javascript[$index]['data']
将包含JavaScript代码这意味着,首先必须找到要替换的JavaScript代码的条目,然后再对其进行更改。在这种情况下,以下代码应该可以工作。
function mymodule_js_alter(&$javascript) {
$old_code = 'The code to alter';
$new_code = 'The new code';
foreach ($javascript as $index => $info) {
if (is_numeric($index) && $info['data'] == $old_code) {
$javascript[$index]['data'] = $new_code;
break;
}
}
}
或者,如果需要更改由模块实现的库,则可以实现hook_library_alter()。例如,这是由jQuery Update模块的最新版本实现的代码。
function jquery_update_library_alter(&$javascript, $module) {
// We are updating just the system module. For all other cases we return.
if ($module != 'system') {
return;
}
$path = drupal_get_path('module', 'jquery_update');
// Make sure we inject either the minified or uncompressed version as desired.
$min = variable_get('jquery_update_compression_type', 'min') == 'none' ? '' : '.min';
$cdn = variable_get('jquery_update_jquery_cdn', 'none');
// Replace jQuery with the latest version.
$version = variable_get('jquery_update_jquery_version', '1.5');
jquery_update_jquery_replace($javascript, $cdn, $path, $min, $version);
// Replace jQuery UI with CDN or local files. If from a CDN include all of jQuery UI.
jquery_update_jqueryui_replace($javascript, $cdn, $path, $min);
// Replace the jQuery Cookie plugin.
$javascript['cookie']['js']['misc/jquery.cookie.js']['data'] = $path . '/replace/ui/external/jquery.cookie.js';
// Noting the version based on git commit as no version number is available.
$javascript['cookie']['version'] = '67fb34f6a866c40d0570';
// Replace jQuery Form plugin.
$javascript['jquery.form']['js']['misc/jquery.form.js']['data'] = $path . '/replace/misc/jquery.form' . $min . '.js';
$javascript['jquery.form']['version'] = '2.69';
// Replace files for jQuery 1.7 and up
if (version_compare($version, '1.7', '>=')) {
$javascript['drupal.states']['js']['misc/states.js']['data'] = $path . '/replace/misc/1.7/states.js';
}
}
这对于Drupal核心使用的JavaScript代码也有效,因为对于那些JavaScript文件,系统模块实现hook_library()。(请参阅system_library()。)
hook_js_alter()
可以用于任何JavaScript文件/代码,甚至可以用于Drupal核心使用的文件。在hook_js_alter()
和之间hook_library_alter()
,当JavaScript文件作为库公开时,最好实现后者。