转载于http://blog.csdn.net/eion/article/details/6667863
view plaincopy to clipboardprint?
MATLAB语言没有系统的断言函数,但有错误报告函数 error 和
warning。由于要求对参数的保护,需要对输入参数或处理过程中的一些状态进行判断,判断程序能否/是否需要继续执行。在matlab中经常使用到这样的代码:
view plaincopy to clipboardprint?
if c<0
error(['c = ' num2str(c) '<0, error!']);
end
if c<0
error(['c = ' num2str(c) '<0, error!']);
end
虽然无伤大雅,可也不好看,如果借用assert函数,就可以写成
view plaincopy to clipboardprint?
assert(c>=0, ['c = ' num2str(c) '<0 is impossible!']);
assert(c>=0, ['c = ' num2str(c) '<0 is impossible!']);
虽然系统要多执行一些(后面的参数必须先解释出来再执行assert函数),但在保证程序可读性和正确性方面功劳是很大的。当然,如果不想损失性能,直接写成
view plaincopy to clipboardprint?
assert(c>=0);
assert(c>=0);
即可。
下面给出自定义的assert函数代码:
view plaincopy to clipboardprint?
%% 断言函数 assert
% 2011年8月7日23:12:48 byHugeTang@xi'an
% 在程序中确保某些条件成立,否则调用系统 error 函数终止运行。
% 使用示例:
% assert(1==1)
% assert(1+1==2,'1+1~=2')
% assert(x>=low_bounce && x<=up_bounce,'x is not in [low_bounce, up_bounce]');
% 输入参数说明:
% c - 断言判断条件
% msg_str - 断言失败时显示提示内容
function assert(c, msg_str)
ifc,return; end % 断言成立,直接返回
ifnargin>1
error(['assert failure: ', msg_str]);
else
error('assert failure: Assertion does not hold!');
end
end
%% 断言函数 assert
% 2011年8月7日23:12:48 byHugeTang@xi'an
% 在程序中确保某些条件成立,否则调用系统 error 函数终止运行。
% 使用示例:
% assert(1==1)
% assert(1+1==2, '1+1~=2')
% assert(x>=low_bounce && x<=up_bounce, 'x is not in [low_bounce, up_bounce]');
% 输入参数说明:
% c - 断言判断条件
% msg_str - 断言失败时显示提示内容
function assert(c, msg_str)
if c, return; end % 断言成立,直接返回
if nargin>1
error(['assert failure: ', msg_str]);
else
error('assert failure: Assertion does not hold!');
end
end