In PHP, the __autoload function is used to simplify the job of the programmer by including classes automatically without the programmer having to add a very large number of include statements. An example will help clarify. Suppose we have the following code:
include “class/class.Foo.php”;
include “class/class.AB.php”;
include “class/class.XZ.php”;
include “class/class.YZ.php”;
$foo = new Foo;
$ab = new AB;
$xz = new XZ;
$yz = new YZ;
Note in the code above that we have to include each of the 4 different class files separately – because we are creating an instance of each class, we absolutely must have each class file. Of course, we are assuming that developers are defining only one class per source file – which is good practice when writing object oriented programs, even though you are allowed to have multiple classes in one source file.
Imagine if we need to use 20 or even 30 different classes within this one file – writing out each include statement can become a huge pain. And this is exactly the problem that the PHP __autoload function solves – it allows PHP to load the classes for us automatically! So, instead of the code above, we can use the __autoload function as shown below:
function __autoload($class_name)
{
require_once “./class/class.”.$class_name.“.php”;
}
$foo = new Foo;
$ab = new AB;
$xz = new XZ;
$yz = new YZ;
Autoloading works like this. You create a function called __autoload() near the start of your PHP application. Then, whenever your code tries to create a new instance of a class that PHP doesn’t know about, PHP automatically calls your __autoload() function, passing in the name of the class it’s looking for. Your function’s job is to locate and include the class file, thereby loading the class. PHP can then go ahead and create the object.
spl_autoload_register
spl_autoload_register provides a way to define more than one __autoload function using spl_autoload_register. If you already have an __autoload function you will need to register that function before registering any additional functions though.
spl_autoload_register(‘__autoload’);
spl_autoload_register(‘my_other__autoload’);
Additionally, spl_autoload_register accepts any ‘callable’ type variable, meaning that you can use a method from a class as an autoload function as well.
//for a static method
spl_autoload_register(array(‘MyAlreadyLoadedClass’, ‘autoloader’));
Its recommended to use spl_autoload_register since __autoload may be deprecated in the future.