捕获数学函数异常
作者: 江汉石油学院计算机系 周云才
下载本文配套源代码
假如我们要用一个数学函数,比如反正弦函数asin(x),如果变元x的值是由用户提供或某个中间结果,则在调用时必须判断其取值范围是合理,是否满|x|<=1?即
if(fabs(x)<=1)对数函数也可作类似的处理。但是如果遇到幂函数pow(x,y)时,问题就不那么简单了。仔细分析将发现:
y=asin(x);
else
y=…
(本文来源于图老师网站,更多请访问http://m.tulaoshi.com/cyuyanjiaocheng/) y
x 负小数 负整数 0 整数 小数负小数 无意义 有意义 有意义 有意义 无意义负整数 无意义 有意义 有意义 有意义 无意义0 无意义 无意义 有意义 有意义 有意义整数 有意义 有意义 有意义 有意义 有意义小数 有意义 有意义 有意义 有意义 有意义
例如:pow(-1.2,-1.2)=-1.#IND。如果要编程处理,至少需要六个if语句。即使如此,也有麻烦:如何判断一个double型的变元的值是整数还是小数?
为了处理数学函数运算中出现的异常,VC++提供了一个函数_mather,其原型在<math.h中:
int _matherr( struct _exception *except );为了利用此函数,只需在应用数学函数的地方定义一个这样的函数,例如
#include <math.h>#include <stdio.h>void main(){double x,y,z;x=-1.23;y=-1;z=pow(x,y);printf("%gn",z);y=-1.1;z=pow(x,y);printf("%gn",z);}int _matherr(struct _exception *except){char* errorString[] = {"_DOMAIN","_SING", "_OVERFLOW", "_PLOSS", "_TLOSS", "_UNDERFLOW"};printf("Error function name is %sn",except->name);printf("The varianbles arg1=%g,arg2=%gn",except->arg1,except->arg2);printf("The error type = %sn",errorString[except->type]);printf("The error value=%gn",except->retval);except->retval=1234;printf("After handling error value=%gn",except->retval);return 1;}编译、运行,结果为 -0.813008
Error function name is pow
The varianbles arg1=-1.23,arg2=-1.1
The error type = _SING
The error value=-1.#IND
A