我试图使用常量作为函数参数,是否可以检查此常量的类型.
我想要的例子:
class ApiError { const INVALID_REQUEST = 200; } class Response { public function status(ApiError $status) { //function code here } }
使用:
$response = new Response(); $response->status(ApiError::INVALID_REQUEST);
这个给定$status的shoud检查是ApiError类的常量.这样的事情可能吗?
正如其他人提到的那样,没有通用的解决方案.但是如果你想以一种非常干净的方式做到这一点,那就为你正在处理的每个“对象”(=每种可能的状态)建模,例如:
原文链接:https://www.f2er.com/php/133444.htmlinterface ApiError { // make it an abstract class if you need to add logic public function getCode(); } class InvalidRequestApiError implements ApiError { public function getCode() { return 200; } } // Usage: $response = new Response(); $response->status( new InvalidRequestApiError() ); class Response { public function status(ApiError $status) { echo "API status: " . $status->getCode(); } // ... }