自 PHP 5 起,PHP 允许使用类进行类型提示(强制函数/方法的参数成为类的实例)。
因此,您可以int
在构造函数中创建一个接受 PHP 整数的类(如果您允许包含整数的字符串,则解析整数,如下例所示),并在函数的参数中期望它。
The int
class
<?php
class int
{
protected $value;
public function __construct($value)
{
if (!preg_match("/^(0|[-]?[1-9][0-9])*$/", "$value"))
{
throw new \Exception("{$value} is not a valid integer.");
}
$this->value = $value;
}
public function __toString()
{
return '' . $this->value;
}
}
Demo
$test = new int(42);
myFunc($test);
function myFunc(int $a) {
echo "The number is: $a\n";
}
Result
KolyMac:test ninsuo$ php types.php
The number is: 42
KolyMac:test ninsuo$
但是你应该小心副作用。
如果您在表达式(例如,)中使用它,您的int
实例将评估为,而不是在我们的例子中。您应该使用表达式来获取,因为仅在尝试将对象转换为字符串时才调用。true
$test + 1
42
"$test" + 1
43
__toString
注意:您不需要包装array
类型,因为您可以在函数/方法的参数上本地类型提示它。
The float
class
<?php
class float
{
protected $value;
public function __construct($value)
{
if (!preg_match("/^(0|[-]?[1-9][0-9]*[\.]?[0-9]*)$/", "$value"))
{
throw new \Exception("{$value} is not a valid floating number.");
}
$this->value = $value;
}
public function __toString()
{
return $this->value;
}
}
The string
class
<?php
class string
{
protected $value;
public function __construct($value)
{
if (is_array($value) || is_resource($value) || (is_object($value) && (!method_exists($value, '__toString'))))
{
throw new \Exception("{$value} is not a valid string or can't be converted to string.");
}
$this->value = $value;
}
public function __toString()
{
return $this->value;
}
}
The bool
class
class bool
{
protected $value;
public function __construct($value)
{
if (!strcasecmp('true', $value) && !strcasecmp('false', $value)
&& !in_array($value, array(0, 1, false, true)))
{
throw new \Exception("{$value} is not a valid boolean.");
}
$this->value = $value;
}
public function __toString()
{
return $this->value;
}
}
The object
class
class object
{
protected $value;
public function __construct($value)
{
if (!is_object($value))
{
throw new \Exception("{$value} is not a valid object.");
}
$this->value = $value;
}
public function __toString()
{
return $this->value; // your object itself should implement __tostring`
}
}