众所周知,在 强类型 语言中,类型约束 是语法上的要求,即:定义一个变量的时候,必须指定其类型,并且以后该变量也只能存储该类型数据。
而我们的PHP是弱类型语言,其特点就是无需为变量指定类型,而且在其后也可以存储任何类型,当然这也是使用PHP能快速开发的关键点之一。但是在php的高版本语法中(PHP5起),在某些特定场合,针对某些特定类型,也是可以进行语法约束的。
说明
自PHP5起,我们就可以在函数(方法)形参中使用类型约束了。
函数的参数可以指定的范围如下:
- 必须为对象(在函数原型里面指定类的名字);
- 接口;
- 数组(PHP 5.1 起);
- callable(PHP 5.4 起)。
如果使用 NULL 作为参数的默认值,那么在调用函数的时候依然可以使用 NULL 作为实参。
如果一个类或接口指定了类型约束,则其所有的子类或实现也都如此。
类型约束不能用于标量类型如 int 或 string。Traits 也不允许。
使用
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42
| <?php
class MyClass {
public function test(OtherClass $otherclass) { echo $otherclass->var; }
public function test_array(array $input_array) { print_r($input_array); } }
public function test_interface(Traversable $iterator) { echo get_class($iterator); }
public function test_callable(callable $callback, $data) { call_user_func($callback, $data); } }
class OtherClass { public $var = 'Hello World'; } ?>
|
函数调用的参数与定义的参数类型不一致时,会抛出一个可捕获的致命错误。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30
| <?php
$myclass = new MyClass; $otherclass = new OtherClass;
$myclass->test('hello');
$foo = new stdClass; $myclass->test($foo);
$myclass->test(null);
$myclass->test($otherclass);
$myclass->test_array('a string');
$myclass->test_array(array('a', 'b', 'c'));
$myclass->test_interface(new ArrayObject(array()));
$myclass->test_callable('var_dump', 1); ?>
|
类型约束不只是用在类的成员函数里,也能使用在函数里
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18
| <?php
class MyClass { public $var = 'Hello World'; }
function MyFunction (MyClass $foo) { echo $foo->var; }
$myclass = new MyClass; MyFunction($myclass); ?>
|
类型约束允许 NULL 值
1 2 3 4 5 6 7 8 9 10 11
| <?php
function test(stdClass $obj = NULL) {
}
test(NULL); test(new stdClass);
?>
|
总结
以上就是PHP类型约束的大概简介和使用方法了,在使用PHP进行开发过程中,用到它的地方可能不是太多,我们最常看见或用到类型约束的地方是在“依赖注入”的设计模式中