PHP Doku:: Autoloading - language.oop5.autoload.html

Verlauf / Chronik / History: (50) anzeigen

Sie sind hier:
Doku-StartseitePHP-HandbuchSprachreferenzKlassen und ObjekteAutoloading

Ein Service von Reinhard Neidl - Webprogrammierung.

Klassen und Objekte

<<Klassenkonstanten

Konstruktoren und Destruktoren>>

Autoloading

Viele Entwickler, die objektorientierte Anwendungen entwickeln, erzeugen eine eigene PHP Quelldatei für jede Klassendefinition. Eines der größten Ärgernisse ist die Notwendigkeit, eine lange Liste von benötigten Include-Anweisungen am Anfang eines jeden Skripts (eine für jede Klasse).

In PHP 5 ist das nicht länger notwendig. Man kann eine __autoload Funktion definieren, die automatisch aufgerufen wird, falls man versucht eine noch nicht definierte Klasse oder ein nicht definiertes Interface zu benutzen. Durch den Aufruf dieser Funktion erhält die Scripting Engine einen letzten Versuch, die Klasse zu laden, bevor PHP unter Ausgabe einer Fehlermeldung scheitert.

Hinweis:

Exceptions, die in einer __autoload Funktion geworfen werden, sind nicht in einem Catch-Block fangbar und führen zu einem fatalen Fehler.

Hinweis:

Autoloading ist nicht verfügbar, wenn man PHP im CLI interaktiven Modus betreibt.

Hinweis:

Wird der Klassenname z.B. an die Funktion call_user_func() ist zu beachten das er gefährliche Zeichen wie z.B. ../ enthalten kann. Es wird daher empfohlen keine Benutzereingaben an solche Funktionen weiterzugeben oder zumindest die Eingaben in der __autoload() zu prüfen.

Beispiel #1 Autoload Beispiel

Dieses Beispiel versucht die Klassen MyClass1 und MyClass2 aus den entsprechenden Dateien MyClass1.php und MyClass2.php zu laden.

<?php
function __autoload($class_name) {
    require_once 
$class_name '.php';
}

$obj  = new MyClass1();
$obj2 = new MyClass2(); 
?>

Beispiel #2 Weiteres Autoload Beispiel

Dieses Beispiel versucht das Interface ITest zu laden.

<?php

function __autoload($name) {
    
var_dump($name);
}

class 
Foo implements ITest {
}
 
/*
string(5) "ITest"
 
Fatal error: Interface 'ITest' not found in ...
*/
?>


59 BenutzerBeiträge:
- Beiträge aktualisieren...
b dot rense at gmail dot com
1.12.2010 17:54
php autoloading is a b*tch, nevertheless, i think the following class is a pretty good solution.

<?php

class autoload_autoloader {
    public static
$instance;
    private
$_src=array('application/controllers/', 'application/models/', 'application/views/helpers/', 'library/');
    private
$_ext=array('.php', 'class.php', 'lib.php');
   
   
/* initialize the autoloader class */
   
public static function init(){
        if(
self::$instance==NULL){
           
self::$instance=new self();
        }
        return
self::$instance;
    }
   
   
/* put the custom functions in the autoload register when the class is initialized */
   
private function __construct(){
       
spl_autoload_register(array($this, 'clean'));
       
spl_autoload_register(array($this, 'dirty'));
    }
   
   
/* the clean method to autoload the class without any includes, works in most cases */
   
private function clean($class){
        global
$docroot;
       
$class=str_replace('_', '/', $class);
       
spl_autoload_extensions(implode(',', $this->_ext));
        foreach(
$this->_src as $resource){
           
set_include_path($docroot . $resource);
           
spl_autoload($class);
        }
    }
   
   
/* the dirty method to autoload the class after including the php file containing the class */
   
private function dirty($class){
        global
$docroot;
       
$class=str_replace('_', '/', $class);
        foreach(
$this->_src as $resource){
            foreach(
$this->_ext as $ext){
                @include(
$docroot . $resource . $class . $ext);
            }
        }
       
spl_autoload($class);
    }

}

?>

Obviously you still have to include this class the dirty way, for example:

<?php

$path
='../';
$docroot=$_SERVER['DOCUMENT_ROOT'] . implode('/',array_slice(explode('/',$_SERVER['PHP_SELF']),0,-2)) . '/';
include(
$path . 'library/autoload/autoloader.php');
autoload_autoloader::init();

?>

please note that this autoloader class does require the $docroot variable which is the absolute path of the root of your application, you can set it manually or copy the code i used.

my directory structure looks like this:
- www/
    + myapp/
        + application/
            + controllers/
            + models/
            + views/
                + helpers/
        + library/
            + autoload/
                - autoloader.php
fka at fatihkadirakin dot com
1.08.2010 3:16
Or you can use this, without using any "require/include":

<?php
class autoloader {

    public static
$loader;

    public static function
init()
    {
        if (
self::$loader == NULL)
           
self::$loader = new self();

        return
self::$loader;
    }

    public function
__construct()
    {
       
spl_autoload_register(array($this,'model'));
       
spl_autoload_register(array($this,'helper'));
       
spl_autoload_register(array($this,'controller'));
       
spl_autoload_register(array($this,'library'));
    }

    public function
library($class)
    {
       
set_include_path(get_include_path().PATH_SEPARATOR.'/lib/');
       
spl_autoload_extensions('.library.php');
       
spl_autoload($class);
    }

    public function
controller($class)
    {
       
$class = preg_replace('/_controller$/ui','',$class);
       
       
set_include_path(get_include_path().PATH_SEPARATOR.'/controller/');
       
spl_autoload_extensions('.controller.php');
       
spl_autoload($class);
    }

    public function
model($class)
    {
       
$class = preg_replace('/_model$/ui','',$class);
       
       
set_include_path(get_include_path().PATH_SEPARATOR.'/model/');
       
spl_autoload_extensions('.model.php');
       
spl_autoload($class);
    }

    public function
helper($class)
    {
       
$class = preg_replace('/_helper$/ui','',$class);

       
set_include_path(get_include_path().PATH_SEPARATOR.'/helper/');
       
spl_autoload_extensions('.helper.php');
       
spl_autoload($class);
    }

}

//call
autoloader::init();
?>
takingsides at gmail dot com
30.06.2010 17:15
file_exists would work perfectly fine, unless people intentionally create directories ending with ".php". However sometimes classes can be called either "MyClass.php" or "MyClass.class.php"...

I have a number of configuration constants defined (before the autoload function) i.e:

<?php
// in: config.php
define('DEV_MODE',                                    1);
$error_reporting = error_reporting(DEV_MODE ? E_ALL : 0);

define('CONF_DIR_LIB', '/path/to/classes/');
?>

Finally inside the config.php after my constants, i define the autoload...

A. DEV_MODE when 1 or true, will show all errors.
B. DEV_MODE when 0 or false, will supress ALL errors including those thrown from inside classes.

<?php
// also in: config.php
function __autoload($f)
{
    if ((
$f1 = file_exists($c1 = CONF_DIR_LIB . "$f.class.php"))
        || (
$f2 = file_exists($c2 = CONF_DIR_LIB . "$f.php")))
            if (
DEV_MODE)
                include_once (
$f1 ? $c1 : $c2);
            else
                @include_once (
$f1 ? $c1 : $c2);
}
?>

I hope this helps anyone :)
DaWG
12.05.2010 18:21
Be careful with the use of file_exists, if there were a directory with the name ($classname . "php") then file_exists would return true. (is_file "may" be preferred, YMMV).
<?php
   
if (is_file($className . '.php')) { ...
?>
ej at campbell dot name
3.04.2010 21:21
You don't need exceptions to figure out if a class can be autoloaded. This is much simpler.

<?php
//Define autoloader
function __autoload($className) {
      if (
file_exists($className . '.php')) {
          require_once
$className . '.php';
          return
true;
      }
      return
false;
}

function
canClassBeAutloaded($className) {
      return
class_exists($className);
}
?>
tom at r dot je
11.03.2010 12:30
To find out whether a class can be autoloaded, you can use autoload in this way:

<?php
//Define autoloader
function __autoload($className) {
    if (
file_exists($className . '.php')) require $className . '.php';
    else throw new
Exception('Class "' . $className . '" could not be autoloaded');
}

function
canClassBeAutloaded($className) {
    try {
       
class_exists($className);
        return
true;
    }
    catch (
Exception $e) {
        return
false;
    }
}
?>
Anonymous
9.02.2010 0:35
It's worth to mention, if your operating system is case-sensitive you need to name your file with same case as in source code eg. MyClass.php instead of myclass.php
EastGhostCom
23.12.2009 18:04
IMPORTANT: Look into spl_autoload_register() which lets you manage a stack of several __autoload() functions.
khan at swcombine dot com
5.11.2009 14:38
As an addendum to #91119 I would suggest adding class_exists() into that solution. I've just implemented autoloading based on the code provided there and ran into a problem where a file had the same name as a class, existed in the directory structure prior to the file that had the actual class and as a result was being included first and resulting in a 'class not found' error.

<?php
if(file_exists($path)) {
    require_once
$path;
    if(
class_exists($class_name)) {
        return;
    }
}
?>
h762017(at)stud(dot)u-szeged(dot)hu
21.08.2009 4:24
Hi,

Because the scripting engine just find the class declaration in the body of the __autoload() function, you also can declare the missing class in the __autoload() function. (No need to include or require a file.)

Let's see the following code:

Example 1.:

<?php

function __autoload($className){
    echo
"Now loading: $className<br />";
   
    class
SuperClass {
    }
}

class
DerivedClass extends SuperClass {
}

class
AnotherDerivedClass extends SuperClass {
}

?>

The scripting engine will found the SuperClass class.

Example 2.:

You also can do it with the eval function, and if you dinamycally declare the class, you don't get a Fatal Error, and you can do many interesting things with the eval function;)

<?php

function __autoload($className){
    echo
"Now loading: $className<br />";
   
    eval(
"class $className {}");
}

class
DerivedClass extends SuperClass {
}

class
AnotherDerivedClass extends SuperClass {
}

?>
Peminator
7.07.2009 16:01
My idea for autoloading FUNCTIONS however only in a weird way :

<?php
function ex($parms)
{
  
$argvar = func_get_args();
  
$func = $argvar[0];
  
$funcargs = array_slice($argvar,1);
  
if (
function_exists($func))
   {
  
$returnvalue = call_user_func_array($func,$funcargs);
   }
else
   {
  
$funcpath = "scripts/".$func.".php";
   require_once(
$funcpath);
  
   if (
function_exists($func))
      {
     
$returnvalue = call_user_func_array($func,$funcargs);
      } 
   else
      {
         die
"SORRY  $func IS NOT USABLE";
      }
   }
 
// return returned value :-)
return $returnvalue;
}
?>

USAGE EXAMPLE:
must be caled using the X function giving the real function as first parameter, like:
$result = ex("add",1,2);
// returns 3 if add function defined in add.php sums the first and second parameter..
ranskills at yahoo dot co dot uk
26.05.2009 13:02
This custom autoload function allows for the flexibility to add directories from which the classes are expected to be found and loads classes/interfaces with different file naming formats. Additionally, it handles classes included in the include path and files in the PEAR package/directory.
You can check this blog entry for a video tutorial http://ranskills.com/blog/.

<?php
/**
 *
 * @param string $className Class or Interface name automatically
 *              passed to this function by the PHP Interpreter
 */
function autoLoader($className){
   
//Directories added here must be
//relative to the script going to use this file.
//New entries can be added to this list
   
$directories = array(
     
'',
     
'classes/'
   
);

   
//Add your file naming formats here
   
$fileNameFormats = array(
     
'%s.php',
     
'%s.class.php',
     
'class.%s.php',
     
'%s.inc.php'
   
);

   
// this is to take care of the PEAR style of naming classes
   
$path = str_ireplace('_', '/', $className);
    if(@include_once
$path.'.php'){
        return;
    }
   
    foreach(
$directories as $directory){
        foreach(
$fileNameFormats as $fileNameFormat){
           
$path = $directory.sprintf($fileNameFormat, $className);
            if(
file_exists($path)){
                include_once
$path;
                return;
            }
        }
    }
}

spl_autoload_register('autoLoader');
?>
contact at casual-web dot com
29.04.2009 18:22
Hi,

To include all classes from differents directories, you can specify the path in the name of class.The replace a caracter of your choice by '/'. Here I used "_".

ex : the class : dir1_dir2_myclass.class.php will be in dir1/dir2/

<?php
function __autoload($className) {
   
$fullclasspath="";
     
// get separated directories
$pathchunks=explode("_",$className);
   
//re-build path without last item
for($i=0;$i<(count($pathchunks)-1);$i++) {
   
$fullclasspath.=$pathchunks[$i].'/';
      }
   
require_once
'../../'.$fullclasspath.$className.'.class.php';   
}
?>*

bye
CasualWeb
roman dot drapeko at gmail dot com
5.04.2009 13:33
Hi there,

I have developed a small script, that can scan recursively folders and files ang generate array of associations between classes/interfaces and their locations. It accepts several incoming parameters and it's very simple to use.

An example of generated array is shown bellow.

<?php

    $autoload_list
= array (
     
'classes' => array (
       
'A' => array ('path' => 'Project/Classes/Children/A.php',
         
'extends' => array (), 'implements' => array ('I1')),
       
'C' => array ('path' => 'Project/Classes/C.php',
         
'extends' => array ('B'), 'implements' => array ('I1', 'I3')),
      ),
     
'interfaces' => array (
       
'I2' => array ('path' => 'Project/Interfaces/blablabla.php', 'extends' => array ('I1')),
       
'I1' => array ('path' => 'Project/Interfaces/I1.php', 'extends' => array ()),
      ),
    );
?>

When you know names and their locations, you know everything to load these classes.

It uses regular expressions to identify if class/interfaces is located in the current file.

I tried to post the code, but it's very long. You can download the script from http://wp.drapeko.com/store/php-autoloading-files/.
claude dot pache at gmail dot com
12.03.2009 4:04
About static classes that need initialisation before use (problem discussed by adam at greatbigmassive dot net and kalkamar at web dot de below).

Simple problems have often simple solutions. Here is my approach:

First, my __autoload function is very simple:
<?php
function __autoload ($class_name)
{
    if (
preg_match('|^\w+$|', $class_name))
        include
"./packages/$class_name.php";
}
?>
(The "if/preg_match" line is just a simple yet robust security check. Moreover I use "include" and not "require"/"require_once", so that if the file is not found, the __autoload function does nothing, and my script dies eventually with a meaningful "Class 'foo' not found"  fatal error.)

Now, when I define a class "foo" which requires initialisation before use, I just write the initialisation code after the definition of the class in the file "packages/foo.php":

<?php
/** Content of file "packages/foo.php" **/
class foo
{
   
/* definition of the class is found here */
}

/* initialisation code of the class is found here. */

/** End of file "packages/foo.php" **/
?>

That's it. No need for an <? init() ?> or a <? __construct() ?> method.
jarret dot minkler at gmail dot com
8.03.2009 7:55
You should not have to use require_once inside the autoloader, as if the class is not found it wouldn't be trying to look for it by using the autoloader.

Just use require(), which will be better on performance as well as it does not have to check if it is unique.
adam at greatbigmassive dot net
25.02.2009 12:31
I've been playing with the idea of automatically running the __construct() function after initiating a static/singleton class.
As we know, it doesn't run unless you create new instance() of the class which doesn't happen on the singleton method.

I've seen the methods of using the "getInstance" call but this is a manual call that I wanted to avoid. As an additional idea I've done this and would be interested in opinions. Seems to work for me and my framework and it means I don't have to run the __construct() manually via the internal "new self" method. Obviously, in this case, I probably don't even need to call the booter function __construct() but for relationship recognition I have.

Basic idea
----------
Make the __construct() protected instead of private.
This means an extended class can access/override it.

Then, in autoload, I use eval to extend the class I've just initiated which simply runs the parent __construct() if it exists..

<?php
function __autoload($class){
    require_once(
INC_FILES."/class/class.".$class.".php");
    if(
method_exists($class,'__construct')){
        eval(
"class al_$class extends $class{function __construct(){parent::__construct();}}new al_$class;");
    }
    return
true;
}
?>
pinochet dot pl at gmail dot com
4.01.2009 22:11
To use autoload function with namespaces you should remember to define it in main scope in "\" namespace.
zachera
1.01.2009 1:55
I found out a neat way to centralize one single class which will give accessibility to other classes.  I also added a parameter to the __construct method which would be an array of classes you want loaded.  This isn't completely necessary, but it will stop "excessive memory" if you're loading a bunch of unused classes.

<?php
class Bot {
    private
$classes = array (
       
'Socket' => "connection/class.Socket.php",
       
'Input'  => "io/class.Input.php",
       
'Output' => "io/class.Output.php",
       
'Parse'  => "io/parse/class.Parse.php"
   
);
    public
$Socket, $Input, $Output, $Parse; // Accessible by other classes

   
public function __construct($load=false){
        if(
is_array($load)){
            foreach(
$load as $class){
                if(isset(
$this->classes[$class])){
                    require(
$this->classes[$class]);
                   
$this->$class = new $class($this);
                }
            }
        } else {
            foreach(
$this->classes as $class => $path){
                require(
$path);
               
$this->$class = new $class($this);
            }
        }
    }
}
?>
lskatz at gmail dot com
21.10.2008 21:45
Building on Chris Continanza's function, I wanted to add in multiple filename options since sometimes I add ".class.php" and other times ".php".

<?php
 
function __autoload($class_name) {
   
$include_path = get_include_path();
   
$include_path_tokens = explode(':', $include_path);

    foreach(
$include_path_tokens as $prefix){
     
$path[0] = $prefix . '/' . $class_name . '.php';
     
$path[1]= $prefix . '/' . $class_name . '.class.php';
      foreach(
$path as $thisPath){
        if(
file_exists($thisPath)){
          require_once
$thisPath;
          return;
        }
      }
    }
  }
?>
kalkamar at web dot de
7.10.2008 19:23
Because static classes have no constructor I use this to initialize such classes.
The function init will (if available) be called when you first use the class.
The class must not be included before, otherwise the init-function wont be called as autoloading is not used.

<?php
function __autoload($class_name)
{
    require_once(
CLASSES_PATH.$class_name.'.cls.php');
    if(
method_exists($class_name,'init'))
       
call_user_func(array($class_name,'init'));
    return
true;
}
?>

I use it for example to establish the mysql-connection on demand.

It is also possilbe do add a destructor by adding this lines to the function:
<?php
if(method_exists($class_name,'destruct'))
   
register_shutdown_function(array($class_name,'destruct'));
?>
jbarker at erepublic dot com
17.09.2008 17:34
In a subclass, I was trying to call an overridden parent method with an arbitrary number of arguments:

<?php
call_user_func_array
(array('parent', 'someNonStaticMethod'), $args);
?>

It turns out this triggers an E_STRICT level warning. So I changed to this:

<?php
call_user_func_array
(array($this, 'parent::someNonStaticMethod'), $args);
?>

This doesn't trigger any warnings, but it has the undesirable (if not downright buggy) effect of calling my __autoload() function with the argument 'parent'. I had to modify __autoload() to handle this special situation:

<?php
function __autoload($cls)
{
    if (
'parent' != $cls)
    {
        require(
"class.$cls.php");
    }
}
?>

Tested on Linux with PHP 5.1.6 and 5.2.5.
andrzeje from wit.edu.pl
14.09.2008 5:18
Throwing versions of __autoload based on eval will fail if __autoload will be caled with interface name.
<?php
/* eval+throw __autoload
 */
class Cls implements Iface {/* ... */}; // Error
?>
sebasg37 at gmail dot com
24.08.2008 1:09
When __autoload doesn't seem to work or if you are in PHP 4:

<?php
$include_paths
= explode( PATH_SEPARATOR , get_include_path() );
    foreach(
$include_paths as $path ) {
        if(
is_dir( $path ) ) {
           
$d = opendir( $path );
            while (
false !== ($f = readdir($d))) {
               if(
ereg( "^.*\.php$" , $f ) && strstr( $path , ABS_PATH ) ) { ## avoid PEAR and other files for automatic requirement
                   
require_once $f;
               }
            }
           
closedir($d);
        }
    }

// replace ABS_PATH with your app root
?>
matias dot cohen at gmail dot com
2.08.2008 1:33
Another way of throwing exceptions inside an __autoload() function:
<?php

function myExceptionHandler($e) {
   
// Add code here
}

set_exception_handler('myExceptionHandler');

function
__autoload($class) {
    if (
class_exists($class, false) || interface_exists($class, false)) {
        return;   
    }
    try {
        @require_once(
'path/to/' . $class . '.php');
        if (!
class_exists($class, false) || !interface_exists($class, false)) {
            throw new
Exception('Class ' . $class . ' not found');
        }
    }
    catch (
Exception $e) {

       
myExceptionHandler($e);
    }
}

?>
chris (at) xeneco (dot) co (dot) uk
4.07.2008 15:21
I'm very taken with the autoload function, and thought I would share with you my implementation of it:
<?php
function __autoload($class_name) {

   
//my settings class is a singleton instance that has parsed an ini file containing the locations of all classes
   
$settings = Settings::Load();
   
$classes = $settings->getSettings('classes');

   
$path = $classes[$class_name];
   
    if(
file_exists($path)) {
        require_once(
$path);
        return
true;
    } else {
       
clearstatcache();
       
$classes = $settings->ReLoadSettings();
       
$path = $classes['classes'][$class_name];
    }
       
    if(
file_exists($path)) {
        require_once(
$path);
        return
true;
    } else {
        die(
"The requested library,".$class_name.", could not be found at ".$classes[$class_name][$i].". Please check your ini file");
    }
}
?>
Chris Continanza
29.04.2008 20:43
Decided to warm up to autoload,
but wanted it to use the include_path.
Good default behavior.

function __autoload($class_name) {
      $include_path = get_include_path();
      $include_path_tokens = explode(':', $include_path);
     
      foreach($include_path_tokens as $prefix){
         $path = $prefix . '/' . $class_name . '.php';
         if(file_exists($path)){
            require_once $path;
            return;
          }
       } 
  }
james dot dot dot dunmore at gmail dot com
18.04.2008 13:43
Andrew: 03-Nov-2006 12:26

That seems a bit messy to me, this is a bit neater:
<?php
   
function __autoload($class_name)
    {
       
//class directories
       
$directorys = array(
           
'classes/',
           
'classes/otherclasses/',
           
'classes2/',
           
'module1/classes/'
       
);
       
       
//for each directory
       
foreach($directorys as $directory)
        {
           
//see if the file exsists
           
if(file_exists($directory.$class_name . '.php'))
            {
                require_once(
$directory.$class_name . '.php');
               
//only require the class once, so quit after to save effort (if you got more, then name them something else
               
return;
            }           
        }
    }
jjfitzgerald at gmail dot com
30.01.2008 16:39
Regardless of the situation you're in (developing a web-app or writing some code that may use someone else's web-app), always a good idea not to use __autoload() but instead write a differently-named function and register it as an autoloader:

<?php

function class_autoloader($c) {
    if(
file_exists(dirname(__FILE__). "/classes/{$c}.php") && include_once(dirname(__FILE__). "/classes/{$c}.php")) {
        return
true;
    } else {
       
trigger_error("Could not load class '{$c}' from file '{$c}.php'", E_USER_WARNING);
        return
false;
    }
}

spl_autoload_register("class_autoloader");

?>

Using spl_autoload_register(), the function class_autoloader() will now be used when classes are instantiated, just like __autoload() does, but without the potential conflict with other web-apps __autoload() function.
muratyaman at gmail dot com
28.01.2008 16:57
__autoload() function can be very useful to optimize your code esp. when you have so many classes.

Unlike class extensions, optional parameters with class restrictions may not load your class.

<?php
class bClass{
  function
fun($p1, aClass $p2=NULL){
   
//do something
 
}
}

//depending on the usage
$b = new bClass();
$b->fun('No!');//this will not load class file for aClass
$b->fun('Really?', new aClass('Yes!'));//this will

?>

So, it's very encouraging to use classes everywhere!
Even encapsulating your functions inside simple classes to use like static modules, will help a lot!

Let's say, you have <b>50k</b> lines of code inside <b>100</b> classes/files.. If you need a simple task to do very quickly, you should not be loading all of those files, except the ones you need.

Though, it may be dangerous on some cases regarding the dependencies, load order, etc. Carefully design your classes.
Mexi-Fry
16.01.2008 14:19
Seems like a strange layer of obscurity to me (to be honest).  It would be really handy if that could be implemented and remain in memory though, enabling pages to instantiate classes without having to repeatedly include documents.  Being able to construct an object without having to include the document that contained it (AND without having to include that function in some form on each document) would be very nice.
boltclock aInACircle NOVALISTIC dot com
12.01.2008 6:31
You can allow __autoload() to throw exceptions without resulting in fatal errors by trying class_exists(), literally.

<?php

function __autoload($class)
{
    if (
file_exists($file = "./inc/$class.php"))
    {
        include(
$file);
    }
    else
    {
        throw new
Exception("Class $class not found");
    }
}

// By 'literally', I mean this
try
{
   
// Since the second argument defaults to true, __autoload()
    // will be called from this function
   
class_exists('MyClass');
}
catch (
Exception $e)
{
   
// Catch the exception and handle it as usual
   
die($e->getMessage());
}

// Safely initialize an object from the class
$class = new MyClass();

?>
ostapk
19.12.2007 23:46
To sandrejev at gmail dot com below:

if you create the exception in the __autoload() and serialize it, then when you try to access the same missing class later (in another place in the code), then the exception will contain invalid stack trace.

Also, here's an excellent blog post that discusses the consequences of using eval() as well as provides an example to handle static method calls and namespaces: http://www.onphp5.com/article/61
richard [at ] xanox [dot] net
5.12.2007 16:46
I've made this little script here which looks in a dir, and loads all the classed, and includes their files.

$myDirectory = opendir("required/classes");

// get each entry
while($entryName = readdir($myDirectory)) {
    $dirArray[] = $entryName;
}

// close directory
closedir($myDirectory);

//    count elements in array
$indexCount    = count($dirArray);
sort($dirArray);

for($index=0; $index < $indexCount; $index++) {
    if($dirArray[$index] != '.' AND $dirArray[$index] != '..') {
        include("required/classes/$dirArray[$index]");
        $classname = strtolower($dirArray[$index]);
        $classname = str_replace('.php','',$classname);
        $classinit = str_replace('.php','',$dirArray[$index]);

        $$classname = new $classinit;
    }
}
rojoca
5.10.2007 5:38
Be careful when using eval (as always) in __autoload. The following:

<?php

echo 'Start->';

function
__autoload($class) {
    eval(
'class ' . $class . ' {};');
}

$class = 'Class1{}; echo "uh oh"; class Class2';

$obj = new $class;

echo
'end';
?>

outputs:

Start->uh oh

You can use preg_replace to clean up $class to prevent executing abitrary code but in this case you won't be able to throw a catchable exception and your script will end with a fatal error.
christian.reinecke at web.de
23.09.2007 18:28
do not use is_subclass_of() in your __autoload() function to identify a class type and thereby its path (f.e exceptions). is_subclass_of() needs to know the class, but you want to check BEFORE you include the class.
knoopx at gmail dot com
6.09.2007 21:56
Quick and easiest way to be able to throw exceptions on __autoload() method:

<?php
function __autoload($class_name) {
    
find_file($class_name); //your own routine to locate the class file
    
if (!class_exists($class_name, false)) {
         eval(
"class $class_name {}");
         throw new
Exception('Class not found');
     }
}
?>
rlee0001 at sbcglobal dot net
30.08.2007 22:16
If you would like __autoload to throw an exception when the class cannot be loaded instead of causing a fatal error, consider this:

<?php
function __autoload ($className)
{
   
$fileName = str_replace('_', DIRECTORY_SEPARATOR, $className) . '.php';
   
$status = (@include_once $fileName);
       
    if (
$status === false) {
        eval(
sprintf('class %s {func' . 'tion __construct(){throw new Project_Exception_AutoLoad("%s");}}', $className, $className));
    }  
}

$pageController = 'Project_My_Class'; // "Project/My/Class.php"

try {
 
$obj = new $pageController();
} catch (
Project_Exception_AutoLoad $e) {
   
header('HTTP/1.0 404 Not Found');
   
printf('<h1>Not Found</h1><p>The requested page %s was not found on this server.</p><hr /><em>$id$</em>', $_SERVER['REQUEST_URI']);
}
?>
emcmanus at gmail dot com
17.07.2007 3:04
Note: if you're experiencing unexpected "failed opening required 'filename.php' (include..." errors:

If you placed your autoload function in an external file which you're requiring at the head of every script, be cautious of some odd behavior regarding PHP's idea of the current working directory.

I ran into some unexpected path issues when my include file was placed in a subdirectory directory. The solution to my problems was to make sure that the autoload script being included is in the same directory as the calling script.
peter dot gooman at gmail dot com
18.06.2007 5:33
Before you start using __autload, remember that it holds no scope/namespace. This means that if you are depending on third party applications and they have an autoload function defined and so do you, your application will error.

To remedy this, everyone should look at the spl_autoload functions, eg: spl_autoload_register. This function allows more than one custom functions to be called through the default spl_autoload (default __autoload) handler.
Andrea Giammarchi
21.03.2007 12:54
Another workaround for Exception problem (Klaus Schneider style)

<?php
define
('CLASS_DIR', 'php/classes/');
function
__autoload($name) {
    if(
$exists = !class_exists($name) && file_exists($class = CLASS_DIR.$name.'.class.php'))
        require
$class;
    elseif(!
$exists) {
        eval(
'class '.$name.' extends Exception {}');
        throw new
$name('[__autoload] this file doesn\'t exists: '.$class);
    }
}

try {
    new
Undefined;
}
catch(
Undefined $e) {
    echo
$e->getMessage();
}
// You should use generic Exception too
catch(Exception $e) {
    echo
$e->getMessage();
}
?>
Klaus Schneider
1.03.2007 16:35
I just stumbled over one quite nice solution to the __autoload-exception problem.  It allows for any kind of exception to be thrown inside __autoload().

It appears one has to define the requested class (using "eval", which is not nice but inevitable here) and after that can simply throw an exception (and catch it if so desired):

<?php
function __autoload($className)
{
  
// Do your stuff to load a class here, set $ok if everything went fine.
  
if (! $ok) {
      eval(
"class $className{};");
      throw new
Exception('My message');
   }
// if
}

try {
  
UndefinedClass::undefinedFunction();
} catch (
Exception $ex) {
   echo
$ex->getMessage();
}
// try/catch
?>

Output: "My Message". 

:-)
david dot thalmann at gmail dot com
2.02.2007 16:19
Note to Ricos posting:
A lot of useless Coding. However, I improved the code, so now it will be able to find any folders ("." and ".." will not being tested... oO) and search as deep as possible. Now it will find CLASS_DIR/foo/bar.class.php also like CLASS_DIR/foo/bar/baz/buz/fii/and/so/on/class.php

Warning: This code will check ALL dirs who're "deeper" / "lower" than the class dir, so prevent deeply hidden files (or use just a few folders).

Improved Version:
<?php

// change this, if this code isn't "higher" than ALL classfiles
define("CLASS_DIR", dirname(__FILE__));

/**
 * autoload classes (no need to include them one by one)
 *
 * @uses classFolder()
 * @param $className string
 */
function __autoload($className) {
   
$folder = classFolder($className);

    if(
$folder)
        require_once(
$folder.$className.".class.php");
}

/**
 * search for folders and subfolders with classes
 *
 * @param $className string
 * @param $sub string[optional]
 * @return string
 */
function classFolder($className, $sub = "/") {
   
$dir = dir(CLASS_DIR.$sub);
   
    if(
file_exists(CLASS_DIR.$sub.$className.".class.php"))
        return
CLASS_DIR.$sub;

    while(
false !== ($folder = $dir->read())) {
        if(
$folder != "." && $folder != "..") {
            if(
is_dir(CLASS_DIR.$sub.$folder)) {
               
$subFolder = classFolder($className, $sub.$folder."/");
               
                if(
$subFolder)
                    return
$subFolder;
            }
        }
    }
   
$dir->close();
    return
false;
}

?>
Rico
4.01.2007 14:00
This autoload function searches for the class Location before requiring it. So there's no need of putting the classes all in one folder.

Requirements:
 - the subfolders must be at least 3 letters long
 - the filenames must be in the form CLASSNAME.class.php

Note:
 - in this example the main class folder is 'lib'

define('ROOT_DIR', dirname(__FILE__).'/');

function __autoload($className) {
    $folder=classFolder($className);
    if($folder) require_once($folder.'/'.$className.'.class.php');
}

function classFolder($className,$folder='lib') {
    $dir=dir(ROOT_DIR.$folder);
    if($folder=='lib' && file_exists(ROOT_DIR.$folder.'/'.$className.'.class.php')) return $folder;
    else {
        while (false!==($entry=$dir->read())) {
            $checkFolder=$folder.'/'.$entry;
            if(strlen($entry)>2) {
                if(is_dir(ROOT_DIR.$checkFolder)) {
                    if(file_exists(ROOT_DIR.$checkFolder.'/'.$className.'.class.php')) return $checkFolder;
                    else {
                        $subFolder=classFolder($className,$checkFolder);
                        if($subFolder) return $subFolder;
                    }
                }
            }
        }
    }
    $dir->close();
    return 0;
}
sandrejev at gmail dot com
9.11.2006 8:23
Here is the most complete version of __autoload exception i guess.
The best thing is that it can throw any exception plus the exception is fully functional.

<?php
class AutoloadException extends Exception { }

class
AutoloadExceptionRetranslator extends Exception
{
    public function
__construct($serializedException)
    {
        throw
unserialize($serializedException);
    }
}

function
__autoload($classname)
{
    if(!
file_exists($classname))
    {
       
$autoloadException = serialize(new AutoloadException("Class $classname could not be found"));

        return eval(
"
            class
$classname
            {
                function __construct(\$a=0, \$b=0, \$c=0, \$d=0, \$e=0, \$f=0, \$g=0, \$h=0, \$i=0)
                {
                    throw new AutoloadExceptionRetranslator('
$autoloadException');
                }
            }
        "
);
    }
    else
    {
        require_once
$classname;
    }
}

try
{
   
$anyObject = new AnyNonExistantClass();
}
catch (
AutoloadException $e)
{
   
print_r($e->getTrace());
}
?>
andrew dot delete dot cornes at gmail dot delete dot com
3.11.2006 13:26
If you'd like '__autoload()' to support multiple class folders, each containing multiple class files (one per class), you may want to try something like this (file '__autoload.php'):

<?php

define
('CLASS_FILENAME_SUFFIX', '.class.php');

function
__autoload($className)
{
   
$__autoloadAbsolutePath = dirname(__FILE__);

   
// 'pathStart' is your web application root folder.
    // (This may or may not be where '__autoload.php'
    // resides; let's assume here that it resides one
    // level 'below' the web app root.)
   
$pathStart = $__autoloadAbsolutePath .
       
DIRECTORY_SEPARATOR . '..' . DIRECTORY_SEPARATOR;

   
// 'classPath' is a list of class folders to look in.
    // (In this example, there's just one: 'classlibs/lib1'.
    // To add more, simply append them; start with
    // 'PATH_SEPARATOR . $pathStart .', and off you go...)
   
$classPath = PATH_SEPARATOR . $pathStart .
       
'classlibs' . DIRECTORY_SEPARATOR . 'lib1';

   
// Add list of class folders to 'include_path' for the
    // forthcoming 'require()' (or similar directive).
   
$oldIncludePath = get_include_path();
   
set_include_path($oldIncludePath . $classPath);

    require_once(
$className . CLASS_FILENAME_SUFFIX);

   
// Reinstate initial 'include_path'.
   
set_include_path($oldIncludePath);
}

?>

As your web application develops, new paths containing class files can be added into the '$classPath' variable within '__autoload()'. If hard-coding the '$classPath' variable isn't to your taste, you could arrange for its value to come from 'outside' in whatever way you like.

Any comments gratefully received.
Chris Corbyn (chris AT w3style.co.uk)
8.09.2006 15:23
I'm sure this is needed by more than me.

My objective was to allow __autoload() to be easily extended in complex systems/frameworks where specific libraries etc may need loading differently but you don't want to hard-code little adjustments into your working __autoload() to allow this to happen.

Using a ServiceLocator object with some static methods and properties to allow loosely coupled locators to be attached to it you can swap/change and add to the functionality of your __autoload() at runtime.

The core stuff:
<?php

/**
 * Defines the methods any actual locators must implement
 * @package ServiceLocator
 * @author Chris Corbyn
 */
interface Locator
{
   
/**
     * Inform of whether or not the given class can be found
     * @param string class
     * @return bool
     */
   
public function canLocate($class);
   
/**
     * Get the path to the class
     * @param string class
     * @return string
     */
   
public function getPath($class);
}

/**
 * The main service locator.
 * Uses loosely coupled locators in order to operate
 * @package ServiceLocator
 * @author Chris Corbyn
 */
class ServiceLocator
{
   
/**
     * Contains any attached service locators
     * @var array Locator
     */
   
protected static $locators = array();
   
   
/**
     * Attach a new type of locator
     * @param object Locator
     * @param string key
     */
   
public static function attachLocator(Locator $locator, $key)
    {
       
self::$locators[$key] = $locator;
    }
   
/**
     * Remove a locator that's been added
     * @param string key
     * @return bool
     */
   
public static function dropLocator($key)
    {
        if (
self::isActiveLocator($key))
        {
            unset(
self::$locators[$key]);
            return
true;
        }
        else return
false;
    }
   
/**
     * Check if a locator is currently loaded
     * @param string key
     * @return bool
     */
   
public static function isActiveLocator($key)
    {
        return
array_key_exists($key, self::$locators);
    }
   
/**
     * Load in the required service by asking all service locators
     * @param string class
     */
   
public function load($class)
    {
        foreach (
self::$locators as $key => $obj)
        {
            if (
$obj->canLocate($class))
            {
                require_once
$obj->getPath($class);
                if (
class_exists($class)) return;
            }
        }
    }
}

/**
 * PHPs default __autload
 * Grabs an instance of ServiceLocator then runs it
 * @package ServiceLocator
 * @author Chris Corbyn
 * @param string class
 */
function __autoload($class)
{
   
$locator = new ServiceLocator();
   
$locator->load($class);
}

?>

An example Use Case:
<?php

require 'ServiceLocator.php';

//Define some sort of service locator to attach...
class PearLocator implements Locator
{
    protected
$base = '.';
   
    public function
__construct($directory='.')
    {
       
$this->base = (string) $directory;
    }
   
    public function
canLocate($class)
    {
       
$path = $this->getPath($class);
        if (
file_exists($path)) return true;
        else return
false;
    }
   
    public function
getPath($class)
    {
        return
$this->base . '/' . str_replace('_', '/', $class) . '.php';
    }
}

// ... attach it ...
ServiceLocator::attachLocator(new PearLocator(), 'PEAR');

// ... and code away....
$foo = new Foo_Test();

?>
gonix
3.08.2006 15:39
in response to alexey at renatasystems dot org:

You may add ``global $somedata;`` before ``$somedata = 'Some data';`` and it should work as expected.

file bar.class.php:

<?php

global $somedata;
$somedata = 'Some data';    /* global scope in common way */

class bar {

   function
__construct()  
   {  
       global
$somedata;    /* reference to global scope variable */
     
      
if ( isset($somedata) )
       {
          
var_dump($somedata);
       }
       else
       {
           die(
'No data!');
       }
   }
}
?>

'common way':
<?php

require 'bar.class.php';

$foo = new bar();

?>

'__autoload way':
<?php

function __autoload($classname)
{
   require
$classname . '.class.php';
}

$foo = new bar();

?>

Both 'comon way' and '__autoload way' should give same result:
string(9) "Some data"
alexey at renatasystems dot org
6.07.2006 21:15
While using an "autoloading" method you should pay attention to variables scope. Because of new file will be included INSIDE of magic function __autoload - all of declared in such file global scope variables will be only available within this function and nowhere else. This will cause strange behaviour in some cases. For example:

file bar.class.php:

<?php

$somedata
= 'Some data';     /* global scope in common way */

class bar {

    function
__construct()   
    {   
        global
$somedata;    /* reference to global scope variable */
       
       
if ( isset($somedata) )
        {
           
var_dump($somedata);
        }
        else
        {
            die(
'No data!');
        }
    }
}
?>

Attempt to load this file in common way:

<?php

require 'bar.class.php';

$foo = new bar();

?>

this will output (as expected):

string(9) "Some data"

But in case of __autoload:

<?php

function __autoload($classname)
{
    require
$classname . '.class.php';
}

$foo = new bar();

?>

you could expect that this script will return the same but no, it will return "No data!", because defenition of $somedata after requiring treats as local within user-defined function __autoload().
RQuadling at GMail dot com
8.03.2006 9:55
An issue I've had with using the __autoload function is getting it into the application.

You have to have the function included in every topmost script. This is a pain if the entire application is OOP and an "app" can be just a component of another "app".

A solution I've found is to use php.ini's auto_prepend_file setting.

Mine is set to ...

auto_prepend_file = auto_loader.php

The auto_loader.php script contains a single function. The __autoload() function.

The include_dir path IS examined to find this file, so you can just put it with the rest of your includable files.

A useful additional facility here is that you could log which classes are used by a script at runtime. Very useful if you have object factories and can't know the load at design time.

Also, assigning the uncaught exception handler and the error handlers in this file means your entire site WILL have some global protection without you having to deal with it on a script by script basis.

If you do not have access to the PHP.INI file, or you are running on a shared server, you may not be able to set this property. In those cases, you may be able to set the value using .htaccess. (NOTE: UNTESTED as I don't use Apache).

<IfModule mod_php5.c>
  php_value auto_prepend_file "auto_loader.php"
</IfModule>

You COULD therefore have a different set of rules per subdomain (if you have multiple subdomains, say, live, test, beta, devel) or whatever takes your fancy.

For more details on this see the "Description of core php.ini directives" (http://www.php.net/manual/en/ini.core.php)
dave60 /at/ gmail /dot/ com
29.12.2005 22:25
In reply to quetzalcoatl:

Generally, I would advise for each class to have it's own file, and hold nothing besides that class. Just define __autoload() in a/the infrastructure file -- a/the file that does the behavioral logic, and there should be no need to redefine it in a class' file.
me at mydomain dot com
12.11.2005 1:07
You can enable this behaviour for undefined classes while unserializing objects by setting the .ini-variable 'unserialize_callback_func' to '__autoload'.
quetzalcoatl(AT)poczta.fm
6.11.2005 0:21
While __autoloading is a nice feature, one can stumble upon small problem with it. Imagine:

file A.php:
<?
  
function __autoload($cname)
   {  require_once
"include/$cname.php";}
   }

  
B::testC();
?>

file B.php:
<?
  
function __autoload($cname)
   {  require_once
"include/$cname.php";}
   }

   class
B
  
{  public static function test()
       { 
C::testMe();
       }
   }
?>

file C.php:
<?
  
class C
  
{  public static function testMe()
       {  print(
"OK!");
       }
   }
?>

Now, running file A.php will result in an error.. because from A's point of view, function __autoload is declared twice - once in A.php, and in required_once'd B.php, too! [Not mentioning that C.php and many many many other required or included files could use it too :) ] So, of course we can remove the duplicate __autoload functions from B.php and any other required files. Thus, we either disallow usage of B.php independently (and other required-able/include-able files!) , as without the __autoload it can not work -- or we have to manually require_once its dependecies, thus making manually the job of __autoload. Irritating, isn't it?

A simple trick can help us here. Every file you would place an __autoload function, place instead something like:
    if(!function_exists("__autoload"))
    {   //your __autoload declaration, for example:
        function __autoload($cname)
        {  require_once "include/$cname.php";
        }
    }

When I first tried it, I was really surprised that you can control functions' declaration with simple IF, without any evals or other tricks.

Well.. it's probably a basic "trick", but I didn't notice it anywhere. Feel free to remove it if it was already posted somewhere:)
php at kaiundina dot de
20.09.2005 20:42
The autoload-feature allows to add the behavior of static constructors (like in C#). Static constructors should be called on the first occurence of a class reference - typically a 'new' operator or a static call to a class's operation.

They can be used used to initialize complex static properties.

And here is an easy and save way how it can be done:

Content of MyClass.class.php5:
<?php

// demo class persisting of a static and a dynamic constructor
class MyClass
{
   
   
// static constructor operation
   
public static function _construct()
    {
       
// just say hello
       
echo '<div>static constructor</div>';
    }
   
   
// default dynamic constructor operation
   
public function __construct()
    {
       
// just say hello
       
echo '<div>dynamic constructor</div>';
    }
   
}

?>

Content of index.php5:
<?php

// declare handler for any unknown class request
function __autoload($aClassName)
{
   
// load the class
   
require_once ($aClassName . '.class.php5');

   
// create a reference to the static constructor's operation
   
$staticConstructorReference = array($aClassName, '_construct');
   
   
// if the static constructor was declared properly...
   
if (is_callable($staticConstructorReference))
    {
       
// call the static constructor
       
call_user_func($staticConstructorReference);
    }
}

// create an example object to see both constructors being executed
$article = new MyObject();

?>
scott at webscott dot com
4.05.2005 14:40
__autoload() seems to work when saving objects as session variables as well:

classLoader.php
<?php
function __autoload($className) {
  require_once(
"$className.php");
}
?>

testClass.php
<?php
class testClass {
  function
__construct($propValue) {
   
$this->prop1 = $propValue;
  }

  function
showProp() {
    return
$this->prop1;
  }
}
?>

page1.php
<?php
require_once('classLoader.php');
session_start();
$_SESSION['testObj'] = new testClass('foo');
echo
'<a href="page2.php">Go to page 2</a>';
?>

page2.php
<?php
require_once('classLoader.php');
session_start();
echo
$_SESSION['testObj']->showProp(); // displays foo
?>

Works with multiple session objects as well.  Tested on a Win2k/IIS machine.
trini0
2.02.2005 5:04
Be careful with using that eval() trick within __autoload().
If you use reflection in your code, the so called trick,
*can* provide ill side effects.
For example ->
$reflection = new reflectionClass('some_class');
if (FALSE === $reflection->isSubClassOf('another_class'))
{
    throw new Exception('Class "some_class" must extend base class "another_class"');
}

If the real class "another_class" doesnt exist at the time, or "some_class" doesn't extend "another_class", with the reflection test, the so called eval() trick, creates a dummy "another_class",
thereby making the reflection test useless...
petyo()architect . bg
30.01.2005 10:27
The following function may be useful if you want to simulate namespaces and autoloading behavior:

define ("CLASS_ROOT", '/classes/');
function __autoload ($className)
{
    require_once CLASS_ROOT.str_replace('_', '/', $className).'.class.php';
}

Then you will just have to use the folder structure and name the classes accordingly. If you want to have a class named Page, which will be in the pseudo namespace System.Web.UI, create a directory named System in /classes, then create Web, then UI, then name the class System_Web_UI_Page. Kind of long to type if you don't have autocomplete, but at least you will not have to manage the loading of all the classes' definitions.
thomas dot revell at uwe dot ac dot uk
27.01.2005 15:31
If you want to throw an exception if a class isn't defined yet, use class_exists ():

<?php
// See if the class is defined
if (!class_exists ($className, false)) {
    throw new
Exception ("Class $className is not defined.");
}
?>

The second parameter indicates whether or not the __autoload () function should be called before checking for the class's existence.
nhartkamp at eljakim dot N0SP4M dot nl
11.12.2004 18:14
The following might provide a good work-around for throwing exceptions from the __autoload function when a file containing the correct class doesn't exists.

function __autoload ($class_name) {
  $file = 'system/objects/' . $class_name . '.inc.php';
  if (!file_exists ($file)) {
    return eval ("class $class_name {" .
                 "  function $class_name () {" .
                 "    throw new Exception ();" .
                 "  }" .
                 "}");
  }
  require_once ($file);
}

Cheers,
Nolan



PHP Powered Diese Seite bei php.net
The PHP manual text and comments are covered by the Creative Commons Attribution 3.0 License © the PHP Documentation Group - Impressum - mail("TO:Reinhard Neidl",...)