即使代码在try / catch块中,我仍然会遇到异常

时间:2017-12-23 23:24:30

标签: c++ exception visual-c++

如果给定的用户输入无效,我写了一些遇到异常的代码,所以我把它放在try / catch块中但它仍然引发异常。代码本身很长,所以这里也是遇到异常的代码的简化版本。例外本身很清楚,位置" 3"并不存在这么自然会引发异常,但是它会在try / catch块内部,所以它应该被捕获,但它没有。

int main() {
    try
    {
        vector<string> test = vector<string>{ "a","b","c" };
        string value = test[3];
    }
    catch (...)
    {

    }
}

运行此代码只会导致以下异常,无论它是否在try / catch块中。

Exception

我也尝试过指定例外(const out_of_range&e),但这也没有帮助。它只是造成了完全相同的异常。

int main() {
    try
    {
        vector<string> test = vector<string>{ "a","b","c" };
        string value = test[3];
    }
    catch (const out_of_range&e)
    {

    }
}

我使用Visual Studio,这可能是IDE或它使用的编译器的问题吗?

3 个答案:

答案 0 :(得分:11)

如果您希望std::vector抛出std::out_of_range例外,则需要使用.at()方法。 operator[]不会抛出异常。

例如,您可以执行以下操作:

std::vector<int> myvector(10);
try {
    myvector.at(20)=100;      // vector::at throws an out-of-range
}
catch (const std::out_of_range& e) {
    std::cerr << "Out of Range error: " << e.what() << '\n';
}

答案 1 :(得分:8)

这不是例外。这是一个调试断言失败。

如果你想要一个异常,你需要在(索引)函数中使用向量而不是数组下标运算符。

答案 2 :(得分:1)

operator []在向量容器中被重载但不是异常安全的(如果失败则行为未定义,例如在上面的帖子中)

您应该使用.at()函数。它是例外安全的。 cplusplus.com参考说:

Strong guarantee: if an exception is thrown, there are no changes in the container.
It throws out_of_range if n is out of bounds.

读: http://www.cplusplus.com/reference/vector/vector/operator[]/ http://www.cplusplus.com/reference/vector/vector/at/

查看底部的异常安全性。