我正在创建一个基于Sage WordPress入门主题的主题,并创建了一个新的命名空间来存储我的一些功能(Roots \ Sage \ Color_Scheme)。
当我尝试从该命名空间调用函数时,我收到错误消息
调用未定义的函数 Roots \ Sage \ Color_Scheme \ custom_header_and_background()in C:\ xampp \ htdocs \ wordpress \ wp-content \ themes \ soaring \ lib \ setup.php on 第19行
因为我有"使用Roots \ Sage \ Color_Scheme"声明并且函数肯定在color_scheme.php文件中,我不确定为什么它实际上没有识别该函数。请注意,color_scheme.php是一个命名空间的函数集合,但不包含声明的类。
Setup.php
namespace Roots\Sage\Setup;
use Roots\Sage\Assets;
use Roots\Sage\Color_Scheme;
/**
* Theme setup
*/
function setup() {
// Enable features from Soil when plugin is activated
// https://roots.io/plugins/soil/
add_theme_support('soil-clean-up');
add_theme_support('soil-nav-walker');
add_theme_support('soil-nice-search');
add_theme_support('soil-jquery-cdn');
add_theme_support('soil-relative-urls');
Color_Scheme\custom_header_and_background();
...
以下是Color_Scheme.php(位于同一目录中)的相关部分
<?php
namespace Roots\Sage\Color_Scheme;
/**
* Adds theme support for custom background and custom header
*
* Include default values for several settings.
*/
function custom_header_and_background() {
$color_scheme = get_color_scheme();
$default_background_color = trim( $color_scheme[0], '#' );
$default_text_color = trim( $color_scheme[1], '#' );
/**
* Filter the arguments used when adding 'custom-background' support in Soaring.
*
* @since Soaring 1.0
*
* @param array $args {
* An array of custom-background support arguments.
*
* @type string $default-color Default color of the background.
* }
*/
add_theme_support( 'custom-background', apply_filters( 'soaring_custom_background_args', array(
'default-color' => $default_background_color,
)));
// HEADER
$custom_header_args = array(
'width' => 300,
'height' => 120,
'flex-width' => true,
'flex-height' => true,
'default-image' => get_template_directory_uri() . '/images/soaring-logo.png',
);
add_theme_support( 'custom-header', $custom_header_args );
}
答案 0 :(得分:2)
未定义函数的名称是:
Roots\Sage\Color_Scheme\custom_header_and_background()
已定义函数的名称为:
Roots\Sage\Color_Scheme\custom_header_and_background()
如图所示,名称本身不是问题,只是缺少定义。这正是你也评论的内容:
color_scheme.php在目录中但我从未写过一行来包含它。即使使用命名空间和相同的目录,这是否必要?
是的。 PHP不会自己加载文件。你需要这样做。
PHP只有一种自动加载类的机制,但即便如此,你需要为它注册一个自动加载器。
对于函数,还没有自动加载(有一些关于它的讨论,例如PHP RFC Function Autoloading),因此您需要在使用前包含函数定义。 require_once
指令和__DIR__
常量可能对您的情况有所帮助:
...
require_once __DIR__ . '/color_scheme.php';
Color_Scheme\custom_header_and_background();
...
这应该让你让它工作。然后,我强烈建议将require行移到文件的顶部以使其更少条件,并且您可以更好地查看文件具有哪些依赖项。