分析一下PHP中的Trait机制原理与用法

本篇文章给大家分析一下PHP中的Trait机制原理与用法,有一定的参考价值,有需要的朋友可以参考一下,希望对大家有所帮助。

Trait介绍:

1、自PHP5.4起,PHP实现了一种代码复用的方法,称为trait。

2、Trait是为类似PHP的单继承语言二准备的一种代码复用机制。

3、Trait为了减少单继承语言的限制,使开发人员能够自由地在不同层次结构内独立的类中复用method。

4、trait实现了代码的复用,突破了单继承的限制;

5、trait是类,但是不能实例化。

6、当类中方法重名时,优先级,当前类>trait>父类;

7、当多个trait类的方法重名时,需要指定访问哪一个,给其它的方法起别名。

示例:

  1. trait Demo1{
  2. public function hello1(){
  3. return __METHOD__;
  4. }
  5. }
  6. trait Demo2{
  7. public function hello2(){
  8. return __METHOD__;
  9. }
  10. }
  11. class Demo{
  12. use Demo1,Demo2;//继承Demo1和Demo2
  13. public function hello(){
  14. return __METHOD__;
  15. }
  16. public function test1(){
  17. //调用Demo1的方法
  18. return $this->hello1();
  19. }
  20. public function test2(){
  21. //调用Demo2的方法
  22. return $this->hello2();
  23. }
  24. }
  25. $cls = new Demo();
  26. echo $cls->hello();
  27. echo "<br>";
  28. echo $cls->test1();
  29. echo "<br>";
  30. echo $cls->test2();

运行结果:

Demo::hello

Demo1::hello1

Demo2::hello2

多个trait方法重名:

  1. trait Demo1{
  2. public function test(){
  3. return __METHOD__;
  4. }
  5. }
  6. trait Demo2{
  7. public function test(){
  8. return __METHOD__;
  9. }
  10. }
  11. class Demo{
  12. use Demo1,Demo2{
  13. //Demo1的hello替换Demo2的hello方法
  14. Demo1::test insteadof Demo2;
  15. //Demo2的hello起别名
  16. Demo2::test as Demo2test;
  17. }
  18. public function test1(){
  19. //调用Demo1的方法
  20. return $this->test();
  21. }
  22. public function test2(){
  23. //调用Demo2的方法
  24. return $this->Demo2test();
  25. }
  26. }
  27. $cls = new Demo();
  28. echo $cls->test1();
  29. echo "<br>";
  30. echo $cls->test2();

运行结果:

Demo1::test

Demo2::test