C/C++程序员

(三十一)异常

2018-11-07  本文已影响0人  RGiskard

所谓异常就是发生了不该发生的事

比如除法函数,当用户输入分母为0的时候除法没有意义,就要提示分母不得为零

一个例子

//实现将十六进制转换为整数
//异常情况:含有非法字符G、字符太长
//正常情况
unsigned int HexToInt(const char* str)
{
    int size = strlen(str);
    unsigned int result = 0;
    for(int i=0;i<size;i++)
    {
        if(ch>='a' && ch<='f')
        {
            value = ch-'a'+10;
        }
        else if(ch>='A' && ch<='F')
        {
            value = ch-'A'+10;
        }
        else if(ch>='0' && ch<='9')
        {
            value = ch-'0';
        }
        result = result*16+value;
    }
    return result;
}
throw
throw object;
//object可以是各种数据类型
unsigned int HexToInt(const char* str)
{
    int size = strlen(str);
    if(size>8)
    {
        throw -101;//把错误信息发出去,字符串太大
    }
    unsigned int result = 0;
    for(int i=0;i<size;i++)
    {
        if(ch>='a' && ch<='f')
        {
            value = ch-'a'+10;
        }
        else if(ch>='A' && ch<='F')
        {
            value = ch-'A'+10;
        }
        else if(ch>='0' && ch<='9')
        {
            value = ch-'0';
        }
        else
        {
            throw -102;//把错误信息发出去,有非法字符
        }
        result = result*16+value;
    }
    return result;
}
try...catch
int main()
{
    try
    {
        unsigned int result = HexToInt("ABCDG");//try内有exception被抛出,则立即退出try进入catch,下面那一句printf不执行
        printf("Got:%u",result);
    }
    catch(int err)
    {
        printf("ERROR:%d\n",err);
    }
    return 0;
}

try的用法

try与catch配套使用

try
{
    throw 1; //有抛出,直接跳到catch
    printf("...");//此句不执行
}
catch(double ex)
{
    
}

catch的用法

try
{
    throw 1.2;//抛出类型为double
}
catch(int ex)//参数类型与抛出类型不匹配
{
    printf("...");
}
catch(double ex)//类型匹配
{
    printf("....");
}
匹配所有类型
//当异常为int时,进入第一个catch,当异常为其他类型时,进入第二个int
try
{
    throw 1.2;//抛出类型为double
}
catch(int ex)
{
    printf("aaa");
}
catch(...)
{
    printf("bbb");
}

异常必须捕获,若为被捕获则会程序崩溃,上述第二个catch没有的话,就会崩溃

异常与错误的区别

void A(char* p)
{
    *p = 123;  //下面传入的是空指针,不能给空指针星号操作,是错误
}
int main()
{
    try
    {
        A(NULL);
    }
    catch(...)
    {
        printf("aaa");
    }
    return 0;
}

解决方法

class NullPointerException
{
    ...
};
void A(char* p)
{
    if(p==NULL)
    {
        throw NullPointerException();
    }
    *p = 123;
}
int main()
{
    try
    {
        A(NULL);
    }
    catch(NullPointerException ex)//捕获这个异常对象
    {
        printf("...");
    }
    return 0;
}
上一篇 下一篇

猜你喜欢

热点阅读