您好,欢迎访问一九零五行业门户网

php错误处理Exception

通常我们希望封装好的类是完整和独立的,不需要从外部干预内部代码的执行,所以依赖程序员另外写代码测试一个类中的方法是否出错,这是非常不合理的。
我们需要把错误处理的责任集中放在类的内部,而不能依赖于调用该类的程序员和外部代码,因为通常使用该类的程序员并不知道怎么处理类内部的方法所引发的错误。
exception类 一般的写法: file = $file; if(!file_exists($file)){ throw new exception(file '$file' does not exist.); } }}class client{ static function init() { try{ $conf = new server(dirname(__file__)./conf01.xml); //测试用例 $conf->write(); }catch(exception $e){ print $e; //这里可以打印错误或者做其他事情 } }}client::init();?>
当抛出异常的时候,调用作用域中国的catch子句会被调用,自动将exception对象作为参数传入因为异常抛出时会停止执行类的方法,所以此时控制权从try子句移交到catch子句
不过有个问题,就是每次只能获取一个error,因为即使写多了判断然后throw,但也是只能catch一个,毕竟都不能区分,所以需要做一些处理
高级写法 file = $file; if(!file_exists($file)){ throw new fileexception(file '$this->file' does not exist.); } } function write() { if(! is_writable($this->file)){ throw new badexception(file '$this->file' is bad.); //测试我将文件改成不能写的权限 chmod 000 conf01.xml } }}class badexception extends exception{ //需要创建一个新的exception类,名字是可以diy的,不过需要继承exception类}class client{ static function init() { try{ $conf = new server(dirname(__file__)./conf01.xml); $conf->write(); }catch(fileexception $e){ print $e; }catch(badexception $e){ //这里只执行了一个exception,不过也是我们的目标的badexception print $e; }catch(exception $e){ //这里是为了做后备,为了获取一些其他不能确认的exception print $e; } }}client::init();?>
结果输出:
exception 'badexception' with message 'file 'downloads/conf01.xml' is bad.' in downloads/untitled.php:15stack trace:#0 downloads/untitled.php(28): server->write()#1 /downloads/untitled.php(39): client::init()#2 {main}
需要注意的是,catch是会按照顺序来匹配的,如果前一个被匹配了,后面都就不会被触发。
继承exception类,还可以自定义自己的输出 file = $file; if(!file_exists($file)){ throw new fileexception(file '$this->file' does not exist.); } } function write() { if(! is_writable($this->file)){ throw new badexception(file '$this->file' is not writeable.); } if(! is_readable($this->file)){ throw new specilexception($this->file); } }}class badexception extends exception{}class specilexception extends exception{ function __construct($file){ //这里可以创建一些自己的exception规则,而不单纯是支持打印错误 echo this is a specil error,'$file' is not readable; }}class client{ static function init() { try{ $conf = new server(dirname(__file__)./conf01.xml); $conf->write(); }catch(fileexception $e){ print $e; }catch(badexception $e){ print $e; }catch(specilexception $e){ //我将测试文件改成不能读的状态来测试 print $e; }catch(exception $e){ print $e; } }}client::init();?>
输出结果:
this is a specil error,'/downloads/conf01.xml' is not readableexception 'specilexception' in/downloads/untitled.php:19stack trace:#0 /downloads/untitled.php(40): server->write()#1 /downloads/untitled.php(53): client::init()#2 {main}
其它类似信息

推荐信息