本文目录一览:
- 1、在PHP 7.2以后版本中可以通过什么函数实现自动加载函数?
- 2、PHP怎么自动加载同一目录下同一命名空间的类文件?
- 3、php自动加载实现加载不同文件夹相同类名问题
- 4、详解PHP文件的自动加载(autoloading)
在PHP 7.2以后版本中可以通过什么函数实现自动加载函数?
对单个文件的载入:使用require语句
调用类时自动执行的自动加载注册函数:spl_autoload_register
php7对命名空间的支持,在文件路径组合时仅需要使用根路径和命名空间
PHP怎么自动加载同一目录下同一命名空间的类文件?
自动加载的,只有在实例化时才会真的载入。实例化时,调用公共空间的方式是直接在元素名称前加
\
就可以了,否则PHP解析器会认为我想调用当前空间下的元素。
php自动加载实现加载不同文件夹相同类名问题
不知道你说的命名空间是不是use之后直接加载的。
命名空间在你这个问题上是最简单,最直接的解决方案。
你已经实现这个了,改下就可以了
function autoload($dir,$file){
include_once $dir.'/'.$file.'.class.php';
}
function load_file($dir,$file){
spl_autoload_register('autoload');
}
详解PHP文件的自动加载(autoloading)
传统上,在PHP里,当我们要用到一个class文件的时候,我们都得在文档头部require或者include一下:
?php
require_once('../includes/functions.php');
require_once('../includes/database.php');
require_once('../includes/user.php');
...
但是一旦要调用的文档多了,就得每次都写一行,瞅着也不美观,有什么办法能让PHP文档自动加载呢?
?php
function
__autoload($class_name)
{
require
"./{$class_name}.php";
}
对,可以使用PHP的魔法函数__autoload(),上面的示例就是自动加载当前目录下的PHP文件。当然,实际当中,我们更可能会这么来使用:
?php
function
__autoload($class_name)
{
$name
=
strtolower($class_name);
$path
=
"../includes/{$name}.php";
if(file_exists($path)){
require_once($path);
}else{
die("the
file
{$class_name}
could
not
be
found");
}
}
也即是做了一定的文件名大小写处理,然后在require之前检查文件是否存在,不存在的话显示自定义的信息。
类似用法经常在私人项目,或者说是单一项目的框架中见到,为什么呢?因为你只能定义一个__autoload
function,在多人开发中,做不到不同的developer使用不同的自定义的autoloader,除非大家都提前说好了,都使用一个__autoload,涉及到改动了就进行版本同步,这很麻烦。
也主要是因为此,有个好消息,就是这个__autoload函数马上要在7.2版本的PHP中弃用了。
Warning
This
feature
has
been
DEPRECATED
as
of
PHP
7.2.0.
Relying
on
this
feature
is
highly
discouraged.
那么取而代之的是一个叫spl_autoload_register()的东东,它的好处是可以自定义多个autoloader.
//使用匿名函数来autoload
spl_autoload_register(function($class_name){
require_once('...');
});
//使用一个全局函数
function
Custom()
{
require_once('...');
}
spl_autoload_register('Custom');
//使用一个class当中的static方法
class
MyCustomAutoloader
{
static
public
function
myLoader($class_name)
{
require_once('...');
}
}
//传array进来,第一个是class名,第二个是方法名
spl_autoload_register(['MyCustomAutoloader','myLoader']);
//甚至也可以用在实例化的object上
class
MyCustomAutoloader
{
public
function
myLoader($class_name)
{
}
}
$object
=
new
MyCustomAutoloader;
spl_autoload_register([$object,'myLoader']);
值得一提的是,使用autoload,无论是__autoload(),还是spl_autoload_register(),相比于require或include,好处就是autoload机制是lazy
loading,也即是并不是你一运行就给你调用所有的那些文件,而是只有你用到了哪个,比如说new了哪个文件以后,才会通过autoload机制去加载相应文件。
当然,laravel包括各个package里也是经常用到spl_autoload_register,比如这里:
/**
*
Prepend
the
load
method
to
the
auto-loader
stack.
*
*
@return
void
*/
protected
function
prependToLoaderStack()
{
spl_autoload_register([$this,
'load'],
true,
true);
}