使用旧/新语法调用PHP父构造函数

前端之家收集整理的这篇文章主要介绍了使用旧/新语法调用PHP父构造函数前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
给定一个老式的构造函数Foo
class Foo
{
    public function Foo()
    {
        //does constructing stuff
    }
}

调用父构造函数与新的样式构造函数或旧样式构造函数之间是否有任何功能上的区别?

class Bar extends Foo
{
    public function Bar()
    {
        //does it matter?
        //parent::__construct();
        //parent::Foo();
    }
}

换句话说,静态调用有什么特别之处吗?

parent::__construct()

当它是从一个构造函数,或者它只是一个标准的静态调用

在最佳实践之前,飞猴下降,我正在处理一些遗留的代码,并试图了解所有事情的后果.

我会说两种语法都是完全一样的东西…
编辑:写完余下的答案后,实际上这并不完全正确^^这取决于你所声明的内容;看这两个例子:

如果您将Foo定义为构造函数,并使用__construct调用它,它似乎正在运行;以下代码

class Foo {
    public function Foo() {
        var_dump('blah');
    }
}

class Bar extends Foo {
    public function Bar() {
        parent::__construct();
    }
}

$a = new Bar();

输出

string 'blah' (length=4)

所以,现在都可以了;-)

另一方面,如果定义__construct,并调用Foo,就像这样:

class Foo {
    public function __construct() {
        var_dump('blah');
    }
}

class Bar extends Foo {
    public function Bar() {
        parent::Foo();
    }
}

$a = new Bar();

它会给你一个致命的错误

Fatal error: Call to undefined method Foo::foo()

所以,如果你的类被声明为旧的语法,你可以称之为两种方式;如果它使用新的(PHP5)语法定义,则必须使用新的语法 – 这是有道理的,以后:-)

BTW,如果你想要某种“真实的证明”,你可以尝试使用Vulcan Logic Disassembler,这将给你一个PHP脚本对应的操作码.

编辑后评论

我已经使用两种语法上传了使用VLD的输出
vld-construct-new.txt:当声明__construct,并调用__construct.
vld-construct-old.txt:当声明Foo,并调用__construct.

在两个文件之间做差异,这是我得到的:

$diff vld-construct-old.txt vld-construct-new.txt
25c25
< Function foo:
---
> Function __construct:
29c29
< function name:  Foo
---
> function name:  __construct
44c44
< End of function foo.
---
> End of function __construct.
71c71
< Function foo:
---
> Function __construct:
75c75
< function name:  Foo
---
> function name:  __construct
90c90
< End of function foo.
---
> End of function __construct.

(统一差距要长得多,所以我会坚持使用默认的“diff”格式)

因此,拆卸的操作码的唯一区别是功能名称;在Foo类和Bar类中(继承Foo类的__construct / Foo方法).

我真的会说的是:

>如果你正在编写PHP 5代码(而且在2009年,我真诚地希望你做^^),那么只需使用__construct语法
>你必须保留一些旧的PHP 4代码,你不能迁移到PHP 5(你应该),然后使用Foo语法…

作为旁注,the documentation says(引用):

For backwards compatibility,if PHP 5
cannot find a __construct() function
for a given class,it will search for
the old-style constructor function,by
the name of the class.

Effectively,it means that the only
case that would have compatibility
issues is if the class had a method
named __construct() which was used
for different semantics.

所以,我真的认为没有那么大的区别:-)

你遇到某种奇怪的问题,你认为是由两种语法之间的区别引起的?

原文链接:https://www.f2er.com/php/139803.html

猜你在找的PHP相关文章