初始化2D数组时出错

时间:2016-03-27 20:11:27

标签: c++ arrays visual-c++ multidimensional-array matrix-multiplication

这是我的程序的一部分,用于乘以2个矩阵。

int m1, m2, n1, n2;
int first[m1][n1], second[m2][n2], result[m1][n2];
cout<<"Please enter no.of rows and columns of the 1st Matrix, respectively :";
cin>>m1>>n1;

我得到了这些错误

error C2057: expected constant expression
error C2466: cannot allocate an array of constant size 0
error C2057: expected constant expression
error C2087: '<Unknown>' : missing subscript
error C2133: 'first' : unknown size

我在Visual C ++ 6.0(非常旧的版本)中输入此代码,因为这是我们在学校教给我们的内容。请帮我摆脱这些错误。提前谢谢。

2 个答案:

答案 0 :(得分:0)

在使用它们初始化某些数组之前,必须为这些变量(m1,m2,n1,n2)分配一些数字。当你没有给它们一些值时,最初它们是0.显然,你不能创建一个大小为0的数组并且它是合乎逻辑的。数组的大小是常量,0大小的数组是没有意义的。

也许你需要尝试这样的事情:

int m1, m2, n1, n2;

cout << "Please enter no.of rows and columns of the 1st Matrix, respectively :";
cin >> m1 >> n1;

cout << "Please enter no.of rows and columns of the 2st Matrix, respectively :";
cin >> m2 >> n2;

int first[m1][n1], second[m2][n2], result[m1][n2];

答案 1 :(得分:0)

当你想要像这样初始化数组时,你必须使用const值(在编译时知道这些值)。 例如:

const int r = 1, c = 2;
int m[r][c];

但是,在您的情况下,您在编译期间不知道大小。所以你必须创建一个动态数组。 这是一个示例代码段。

#include <iostream>

int main()
{
    int n_rows, n_cols;
    int **first;
    std::cout << "Please enter no.of rows and columns of the 1st Matrix, respectively :";
    std::cin >> n_rows >> n_cols;

    // allocate memory
    first = new int*[n_rows]();
    for (int i = 0; i < n_rows; ++i)
        first[i] = new int[n_cols]();

    // don't forget to free your memory!
    for (int i = 0; i < n_rows; ++i)
        delete[] first[i];
    delete[] first;

    return 0;
}