发新话题
打印

php面向对象自动加载类

php面向对象自动加载类

很多开发者写面向对象的应用程序时,对每个类的定义建立一个 PHP 源文件。一个很大的烦恼是不得不在每个脚本(每个类一个文件)开头写一个长长的包含文件的列表。

在软件开发的系统中,不可能把所有的类都写在一个PHP文件中,当在一个PHP文件中需要调用另一个文件中声明的类时,就需要通过include把这个文件引入。不过有的时候,在文件众多的项目中,要一一将所需类的文件都include进来,是一个很让人头疼的事,所以我们能不能在用到什么类的时候,再把这个类所在的php文件导入呢?这就是我们这里我们要讲的自动加载类。

在 PHP 5 中,可以定义一个 __autoload()函数,它会在试图使用尚未被定义的类时自动调用,通过调用此函数,脚本引擎在 PHP 出错失败前有了最后一个机会加载所需的类, __autoload()函数接收的一个参数,就是你想加载的类的类名,所以你做项目时,在组织定义类的文件名时,需要按照一定的规则,最好以类名为中心,也可以加上统一的前缀或后缀形成文件名,比如xxx_classname.php、classname_xxx.php以及就是classname.php等等.

本例尝试分别从 MyClass1.php 和 MyClass2.php 文件中加载 MyClass1 和 MyClass2 类

<?php


function __autoload($classname)

{
    require_once $classname . '.php';
}


//MyClass1类不存在自动调用__autoload()函数,传入参数”MyClass1”
$obj = new MyClass1();

//MyClass2类不存在自动调用__autoload()函数,传入参数”MyClass2”
$obj2 = new MyClass2();
?>

TOP

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
{
}

?>

TOP

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
);
}
?>
[ 本帖最后由 xiexie 于 2011-5-1 11:23 编辑 ]

TOP

发新话题