在PHP中,我可以包括一个脚本目录吗?

例如:

include('classes/Class1.php');
include('classes/Class2.php');

比如:

include('classes/*');

似乎找不到一个好方法来为一个特定的类包含大约10个子类的集合。


当前回答

2017年如何做到这一点:

spl_autoload_register( function ($class_name) {
    $CLASSES_DIR = __DIR__ . DIRECTORY_SEPARATOR . 'classes' . DIRECTORY_SEPARATOR;  // or whatever your directory is
    $file = $CLASSES_DIR . $class_name . '.php';
    if( file_exists( $file ) ) include $file;  // only include if file exists, otherwise we might enter some conflicts with other pieces of code which are also using the spl_autoload_register function
} );

这里由PHP文档推荐:自动加载类

其他回答

我知道这是一个老帖子,但是…不要包括你的课程……而是使用__autoload

function __autoload($class_name) {
    require_once('classes/'.$class_name.'.class.php');
}

$user = new User();

然后,每当你调用一个尚未包含的新类时,php将自动触发__autoload并为你包含它

foreach (glob("classes/*.php") as $filename)
{
    include $filename;
}

不要编写函数()在目录中包含文件。你可能会失去变量作用域,可能不得不使用“global”。只需循环文件。

另外,当一个包含的文件的类名将扩展到另一个文件中定义的另一个类时,您可能会遇到困难——这个文件还没有包含。所以,要小心。

如果你想包含一堆类,而不必一次定义每个类,你可以使用:

$directories = array(
            'system/',
            'system/db/',
            'system/common/'
);
foreach ($directories as $directory) {
    foreach(glob($directory . "*.php") as $class) {
        include_once $class;
    }
}

这样你就可以在包含这个类的php文件中定义这个类,而不是整个$thisclass = new thisclass();

至于它处理所有文件的效果如何?我不确定这可能会有轻微的速度下降。

我建议您使用readdir()函数,然后循环并包含文件(请参阅该页上的第一个示例)。