3

我需要为一个研究项目学习 C++ 基础知识,并且我正在尝试错误/异常处理。我确实throw成功地使用了该命令来预测可能发生的事件(例如除以零),但我不知道如何捕获意外异常。以这个示例代码为例:

#include <iostream>
#include <exception>
#include <stdexcept>
using namespace std;

void arrayOutOfBound()
{
    int a[3] = {1, 2, 3};

    try
    {
        cout << "This should not display: " << a[5] << endl;
    }
    catch(runtime_error &e)
    /* catch(exception &e)     // also does not work  */
    {
        cout << "Error: " << e.what() << endl;
    }
}

int main()
{
    arrayOutOfBound();
}

我想我必须在throw某处使用语句,但假设我真的不知道那a[5]行不通(或者用户输入了这个索引并且我没有检查数组大小),那么我怎样才能防止程序崩溃呢?(这发生在 Visual C++ Express 2010 调试器中)

注意:如果我try { int result = a[5]; }先在块外做,然后尝试cout << result在最后使用,程序不会编译。编译器试图帮助我,但因此我无法尝试异常处理。

4

5 回答 5

3

假设我真的不知道 a[5] 不起作用(或者用户输入了这个索引并且我没有检查数组大小),那么我怎样才能防止程序崩溃呢?

你根本做不到。对数组的越界访问会导致 C++ 中的未定义行为,它不会引发异常。当你足够幸运时,你会撞车。

于 2012-05-22T23:54:22.810 回答
2

对不起,忍不住引用了一个明显的模因“本机数组......这不是你做的!” :D

您上面编写的代码使用本机数组,它本质上是一个内存位置。所以说 a[5] 你是说我想使用地址 (a + 4 * sizeof(int)) 处的 4 个字节来解释为一个 int。这不会抛出异常。这是未定义的行为,可能会返回垃圾。如果您使用 -O2 或类似的编译器标志,它可能会返回 0 和 btw,这是缓冲区溢出的 A 级来源:D

这是一个可以解决您的问题的模板类:

#include <iostream>
#include <exception>
#include <stdexcept>
#include <vector>
using namespace std;

template<class T, size_t COUNT>
class CheckedArray
{
public:
    class OutOfBounds : public std::exception
    {
        public:
            virtual const char* what() const throw(){ return "Index is out of bounds"; }    
    };
    CheckedArray(){}
    virtual ~CheckedArray(){}
    const T& operator[] (size_t index) const
    {
        if(index >= COUNT){ throw OutOfBounds(); }
        return m_array[index];
    }
    T& operator[] (size_t index)    
    {
        if(index >= COUNT){ throw OutOfBounds(); }
        return m_array[index];
    }
private:
    T m_array[COUNT];
};
void arrayOutOfBound()
{
    //int a[3] = {1, 2, 3};

    CheckedArray<int,3> a;
    a[0] = 1;
    a[1] = 2;
    a[2] = 3;
    try
    {
        cout << "This should not display: " << a[5] << endl;
    }
    catch(std::exception& e)     // this will kick in
    {
        cout << "Error: " << e.what() << endl;
    }
}


int main()
{
    arrayOutOfBound();
}
于 2012-05-22T23:58:38.970 回答
1

如果您想要这种行为,建议您编写一个类,例如“CheckedArray”,它包装一个数组并执行边界检查。如果您完全笼统地这样做,它将是一个模板类,您当然需要了解重载 operator[]。

或者,如果您对动态分配数组的开销感到满意,请使用std::vector,特别是其at成员函数会在超出范围的索引上引发异常。作为附带的好处,您的数组现在可以在运行时(重新)调整大小。

更好的是,使用std::array它也有投掷at功能(但不可调整大小。)

于 2012-05-22T23:57:56.967 回答
1

如果您使用std::array, 而不是 C 样式数组和.at()成员函数,您可能会发现数组绑定错误

std::array <int, 5> stdArray = {1, 2, 3, 4, 5};

//array boundary check

 try  {
        cout << "trying to access out of bound element " << endl;
        cout << stdArray.at(5) << endl;
 } catch(std::exception &e) {
        cout << "Error: " << e.what() << endl;
  }

现在程序没有崩溃,相反,你会看到这个输出 Error: array::at: __n (which is 5) >= _Nm (which is 5)

于 2018-12-15T07:12:18.660 回答
0

如果您只是想要一个处理分段错误等的处理程序,您应该查看 signal.h

//约翰

于 2012-05-23T00:02:18.530 回答