为什么类型转换不是PHP函数参数中的一个选项

对于你们许多人来说这听起来像是一个愚蠢的问题,但它让我想知道为什么 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;
}

Parse error: Syntax error,unexpected T_INT_CAST,expecting ‘&’ or T_VARIABLE

要么

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

Parse error: Syntax error,unexpected ‘(‘,expecting ‘&’ or T_VARIABLE

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

private function dummy($id,$string){
    echo (int)$id." ".(string)$string;
}
PHP确实有一个 rudimentary type-hinting ability用于数组和对象,但它不适用于标量类型.

PHP 5 introduces type hinting. Functions are now able to force parameters to be objects (by specifying the name of the class in the function prototype),interfaces,arrays (since PHP 5.1) or callable (since PHP 5.4). However,if NULL is used as the default parameter value,it will be allowed as an argument for any later call.

If class or interface is specified as type hint then all its children or implementations are allow>ed too.

Type hints can not be used with scalar types such as int or string. Traits are not allowed either.

数组提示示例:

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');
   }
}

只是默默地对params进行类型化

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

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

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

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

相关文章

Hessian开源的远程通讯,采用二进制 RPC的协议,基于 HTTP 传输。可以实现PHP调用Java,Python,C#等多语...
初识Mongodb的一些总结,在Mac Os X下真实搭建mongodb环境,以及分享个Mongodb管理工具,学习期间一些总结...
边看边操作,这样才能记得牢,实践是检验真理的唯一标准.光看不练假把式,光练不看傻把式,边看边练真把式....
在php中,结果输出一共有两种方式:echo和print,下面将对两种方式做一个比较。 echo与print的区别: (...
在安装好wampServer后,一直没有使用phpMyAdmin,今天用了一下,phpMyAdmin显示错误:The mbstring exte...
变量是用于存储数据的容器,与代数相似,可以给变量赋予某个确定的值(例如:$x=3)或者是赋予其它的变...