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

PHP实现多继承 trait 语法

程序员文章站 2022-04-08 11:53:24
PHP没有多继承的特性。即使是一门支持多继承的编程语言,我们也很少会使用这个特性。在大多数人看来,多继承不是一种好的设计方法。 但是开发中用到多继承该怎么办呢? 下面介绍一下使用```trait```来实现php中多继承的问题。 自PHP5.4开始,php实现了代码复用的方法```trait```... ......

原文地址:

php没有多继承的特性。即使是一门支持多继承的编程语言,我们也很少会使用这个特性。在大多数人看来,多继承不是一种好的设计方法。
但是开发中用到多继承该怎么办呢?
下面介绍一下使用```trait```来实现php中多继承的问题。

自php5.4开始,php实现了代码复用的方法```trait```语法。

trait是为php的单继承语言而准备的一种代码复用机制。为了减少单继承的限制,是开发在不同结构层次上去复用method,
trait 和 class 组合的语义定义了一种减少复杂性的方式,避免传统多继承和 mixin 类相关典型问题。

需要注意的是,从基类继承的成员会被 trait 插入的成员所覆盖。优先顺序是来自当前类的成员覆盖了 trait 的方法,而 trait 则覆盖了被继承的方法。

先来个例子:

trait testone{

    public function test()
    {
        echo "this is trait one <br/>";
    }

}

trait testtwo{

    public function test()
    {
        echo "this is trait two <br/>";
    }


    public function testtwodemo()
    {
        echo "this is trait two_1";
    }

}

class basictest{

    public function test(){
        echo "hello world\n";
    }

}


class mycode extends basictest{

    //如果单纯的直接引入,两个类中出现相同的方法php会报出错
    //trait method test has not been applied, because there are collisions with other trait 
    //methods on mycode 
    //use testone,testtwo;
    //怎么处理上面所出现的错误呢,我们只需使用insteadof关键字来解决方法的冲突
    use testone,testtwo{
        testtwo::test insteadof testone;
    }

}


$test = new mycode();
$test->test();
$test->testtwodemo();

  

运行结果:

this is trait two 
this is trait two_1