如何从此“调试断言失败!”中查找编码错误在哪里?错误?

时间:2019-05-15 14:00:25

标签: c++ runtime-error

我刚刚通过终端运行了代码,并且“调试断言失败!”弹出错误,提示“向量下标超出范围”。这是我第一次遇到这种错误,因此我不确定如何找到错误在代码中的位置。也许这很明显,因为我刚接触C ++,而且我不太擅长发现错误在哪里。以下是我的代码,因此,如果您发现需要更正的内容,请告诉我。谢谢!

#include <iostream>
#include <fstream>
#include <string>
#include <vector>
using namespace std;

struct Node {
    int data;
    Node* right, * down;
};

Node* construct(vector<vector<int>> arr, size_t i, size_t j, size_t m, size_t n)
{
    if (i > n - 1 || j > m - 1)
        return NULL;
    Node * temp = new Node();
    temp->data = arr[i][j];
    temp->right = construct(arr, i, j + 1, m, n);
    temp->down = construct(arr, i + 1, j, m, n);
    return temp;
}

void display(Node * head)
{
    Node* Rp;

    Node* Dp = head;

    // loop till node->down is not NULL 
    while (Dp) {
        Rp = Dp;

        // loop till node->right is not NULL 
        while (Rp) {
            cout << Rp->data << " ";
            Rp = Rp->right;
        }
        cout << "\n";
        Dp = Dp->down;
    }
}

int main(int argc, char* argv[])
{


    if ((argc == 2) && (string(argv[1]) == "-Stack"))
    {
        int K;
        cin >> K; //getting the number of rooms from the text file



        for (int i = 0; i < K; ++i) //a loop for each room
        {
            int M = 0; // initializing rows variable
            int N = 0; // initializing columns variable
            cin >> M >> N;


            vector<vector<int> > matrix(M); //give a matrix with a dimension M*N with all elements set to 0
            for (int i = 0; i < M; i++)
                matrix[i].resize(N);

            for (int i = 0; i < M; i++) //adding each row to the matrix
            {
                for (int j = 0; j < N; j++) //adding each column to the matrix
                {
                    cin >> matrix[i][j]; //putting all the elements in the matrix
                }
            }

            size_t m = M, n = N;
            Node* head = construct(matrix, 0, 0, m, n);
            display(head);
            return 0;

        }

    }
    else if ((argc == 2) && (string(argv[1]) == "-Queue"))
    {
        int K;
        cin >> K; //this grabs the number of rooms in the dungeon
        cout << K;
    }
}

1 个答案:

答案 0 :(得分:0)

很多运行时错误并非完全在错误发生的地方发生,而是在之后的某个地方借助您使用的调试工具进行。

例如,如果您尝试写一个超出其大小的std::vector,那么它的调试版本可能会进行边界检查并对此抛出异常(调试器还会插入堆栈帧陷阱以检查缓冲区溢出等)。 )。

此异常不会在错误的确切位置发生,而是在随后的代码处出现。

您可以使用调试器的调用堆栈功能来查找错误的确切位置。

示例:

vector<int> x(10);
x[10] = 1; // Calls vector::operator[] 
     // in vector::operator[]
     if(i >= size())
          throw; // This is where the exception is thrown

调用堆栈将帮助您从错误发生的throw行转到x[10] = 1行。