6

对你们中的许多人来说,这听起来像是一个愚蠢的问题,但它让我想知道为什么 PHP 不允许在其函数参数中进行类型转换。许多人使用这种方法来转换他们的参数:

private function dummy($id,$string){
    echo (int)$id." ".(string)$string
}

或者

private function dummy($id,$string){
    $number=(int)$id;
    $name=(string)$string;
    echo $number." ".$name;
}

但是看看许多其他编程语言,它们接受类型转换到它们的函数参数中。但是在 PHP 中这样做可能会导致错误。

private function dummy((int)$id,(string)$string){
    echo $id." ".$string;
}

解析错误:语法错误,意外的 T_INT_CAST,需要 '&' 或 T_VARIABLE

或者

private function dummy(intval($id),strval($string)){
    echo $id." ".$string;
}

解析错误:语法错误,意外 '(',期待 '&' 或 T_VARIABLE

只是想知道为什么这不起作用以及是否有办法。如果没有办法,那么走常规方式对我来说没问题:

private function dummy($id,$string){
    echo (int)$id." ".(string)$string;
}
4

3 回答 3

9

PHP 确实对数组和对象具有基本的类型提示功能,但它不适用于标量类型。

PHP 5 引入了类型提示。函数现在可以强制参数为对象(通过在函数原型中指定类的名称)、接口、数组(自 PHP 5.1 起)或可调用(自 PHP 5.4 起)。但是,如果将 NULL 用作默认参数值,则将允许它作为任何以后调用的参数。

如果类或接口被指定为类型提示,那么它的所有子级或实现也被允许>ed。

类型提示不能用于标量类型,例如 int 或 string。特征也是不允许的。

数组提示示例:

public function needs_array(array $arr) {
    var_dump($arr);
}

对象提示示例

public function needs_myClass(myClass $obj) {
    var_dump($obj);
}

如果您需要强制执行标量类型,则需要通过类型转换或检查函数中的类型并在它接收到错误类型时采取相应措施或采取相应措施来实现。

如果你得到错误的类型,抛出异常

public function needs_int_and_string($int, $str) {
   if (!ctype_digit(strval($int)) {
     throw new Exception('$int must be an int');
   }
   if (strval($str) !== $str) {
     throw new Exception('$str must be a string');
   }
}

只是默默地输入参数

public function needs_int_and_string($int, $str) {
   $int = intval($int);
   $str = strval($str);
}

更新:PHP 7 添加标量类型提示

PHP 7 引入了具有严格和非严格模式的标量类型声明。TypeError如果函数参数变量与声明的类型不完全匹配,现在可以在严格模式下抛出 a ,或者在非严格模式下强制类型。

declare(strict_types=1);

function int_only(int $i) {
   // echo $i;
}

$input_string = "123"; // string
int_only($input);
//  TypeError: Argument 1 passed to int_only() must be of the type integer, string given
于 2012-07-14T00:01:50.970 回答
3

PHP 仅允许对象类型使用此功能,我怀疑这是因为该语言的类型非常松散。考虑一下:

<?php
class Foo {

    public function dummy(int $id, string $string){
        echo $id." ".$string;
    }

}

$foo = new Foo();
$foo->dummy(1, "me");

这段代码在语法上没问题(即它可以编译),但是,有一个运行时错误:

Catchable fatal error: Argument 1 passed to Foo::dummy() must be an instance of int, integer given, called in /Users/christrahey/tes.php on line 11 and defined in /Users/christrahey/tes.php on line 4

Notice that it is looking for an instance of a class named int.

于 2012-07-14T00:02:40.310 回答
1

For all the people coming here from Google, you probably know that now, with php 7.x, you can declare all parameter types, including scalars:

<?php
declare(strict_types=1);
function foo(int $i){
    echo $i;
}

foo(20);
//foo('abvc'); //Fatal error: Uncaught TypeError: Argument 1 passed to foo() must be of the type integer, string given
foo('12');//this will be OK, *unless* we enable strict types at the first line

More:

http://php.net/manual/en/migration70.new-features.php

于 2017-05-27T15:48:28.007 回答