1

所以 PHP 7 现在有标量类型提示(w00t!),您可以根据 PHP 中的设置将类型提示设置为严格或非严格。Laracasts 使用定义 IIRC 来设置它。

有没有办法在一个文件(如数学库)中对标量进行严格的类型提示,同时在其他地方使用非严格的,而不只是随意更改代码中的设置?

我想通过不烦躁语言设置来避免引入错误,但我喜欢这个想法。

4

1 回答 1

5

事实上,您可以随心所欲地混合搭配,事实上,该功能是专门为这种方式设计的。

declare(strict_types=1);不是语言设置或配置选项,它是一个特殊的每个文件声明,有点像namespace ...;. 它仅适用于您使用它的文件,不会影响其他文件。

因此,例如:

<?php // math.php

declare(strict_types=1); // strict typing

function add(float $a, float $b): float {
    return $a + $b;
}

// this file uses strict typing, so this won't work:
add("1", "2");

<?php // some_other_file.php

// note the absence of a strict typing declaration

require_once "math.php";

// this file uses weak typing, so this _does_ work:
add("1", "2");

返回输入的工作方式相同。declare(strict_types=1);适用于文件中的函数调用(非声明)和return语句。如果您没有declare(strict_types=1);声明,则该文件使用“弱类型”模式。

于 2015-12-08T21:15:48.003 回答