欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

PHP类的自动加载机制实现方法分析

程序员文章站 2023-10-20 23:17:16
本文实例讲述了php类的自动加载机制实现方法。分享给大家供大家参考,具体如下: test1.class.php

本文实例讲述了php类的自动加载机制实现方法。分享给大家供大家参考,具体如下:

test1.class.php

<?php
class test1
{
  public static function test() {
    echo "hello,world!\n";
  }
}

test2.class.php

<?php
class test2
{
  public static function test() {
    echo "你好,世界!\n";
  }
}

test.php

<?php
test1::test();

如果直接写,会报错

fatal error: class 'test1' not found in /home/wwwroot/default/codelabs/test.php on line 3

需要引入文件

<?php
require "test1.class.php";
test1::test();

这样就可以访问了。

但是,如果类越来越多,引入的代码就越来越多。

这个时候需要使用__autoload方法。

<?php
test1::test();
function __autoload($class) {
  //require "test1.class.php";
  //require "test2.class.php";
  require __dir__."/".$class.".class.php"; // __dir__是当前目录的绝对路径
}

当程序发现没有引入类时,会自动调用这个方法,引入类文件。

进一步优化升级,

支持多个自动加载。

<?php
spl_autoload_register('__autoload1');
spl_autoload_register('__autoload2');
test1::test();
test2::test();
// 当检测到无类加载时,会自动调用这个方法
function __autoload1($class) {
  //require "test1.class.php";
  //require "test2.class.php";
  require __dir__."/".$class.".class.php"; // __dir__是当前目录的绝对路径
}
function __autoload2($class) {
  //require "test1.class.php";
  //require "test2.class.php";
  require __dir__."/".$class.".class.php"; // __dir__是当前目录的绝对路径
}

很好,很强大!

更多关于php相关内容感兴趣的读者可查看本站专题:《php面向对象程序设计入门教程》、《php数组(array)操作技巧大全》、《php基本语法入门教程》、《php运算与运算符用法总结》、《php字符串(string)用法总结》、《php+mysql数据库操作入门教程》及《php常见数据库操作技巧汇总

希望本文所述对大家php程序设计有所帮助。