你能在php中抛出一个数组而不是一个字符串作为例外吗?

2022-08-30 16:18:33

我想在php中抛出一个数组作为异常,而不是字符串。如果定义了自己的类来扩展 Exception 类,是否可以执行此操作?

例如throw new CustomException('string', $options = array('params'));


答案 1

确定。这取决于您的错误处理代码,并适当地使用数组属性。您可以定义自定义异常类的构造函数以采用所需的任何参数,然后只需确保从构造函数定义中调用基类的构造函数,例如:

class CustomException extends \Exception
{

    private $_options;

    public function __construct($message, 
                                $code = 0, 
                                Exception $previous = null, 
                                $options = array('params')) 
    {
        parent::__construct($message, $code, $previous);

        $this->_options = $options; 
    }

    public function GetOptions() { return $this->_options; }
}

然后,在您的调用代码中...

try 
{
   // some code that throws new CustomException($msg, $code, $previousException, $optionsArray)
}
catch (CustomException $ex)
{
   $options = $ex->GetOptions();
   // do something with $options[]...
}

看看用于扩展异常类的 php 文档:

http://php.net/manual/en/language.exceptions.extending.php


答案 2

我认为我的答案有点太晚了,但我也想分享我的解决方案。可能有更多的人在寻找这个:)

class JsonEncodedException extends \Exception
{
    /**
     * Json encodes the message and calls the parent constructor.
     *
     * @param null           $message
     * @param int            $code
     * @param Exception|null $previous
     */
    public function __construct($message = null, $code = 0, Exception $previous = null)
    {
        parent::__construct(json_encode($message), $code, $previous);
    }

    /**
     * Returns the json decoded message.
     *
     * @param bool $assoc
     *
     * @return mixed
     */
    public function getDecodedMessage($assoc = false)
    {
        return json_decode($this->getMessage(), $assoc);
    }
}

推荐