-3
#include<iostream>
using namespace std;

void print_matrix(int* a, int row, int column)
{
    int i, j;
    for(i=0;i<row;++i)
    {
        cout<<"\n";
        for(j=0;j<column;++j)
        {
            int element= *((a+i*column)+j);
            cout<< element<<" " ;
        }
    }
}

int main()
{
    int row, column;
    row = column=3; 
    column=2;   
    int a[row][column];
    int i, j;
    cout<< "Enter the matrix\n";
    for(i=0;i<row;++i)
    {
        for(j=0;j<column;++j)
        {
            cin>> a[i][j];
        }
    }
    int* r = &a[0][0];
    print_matrix(r, row, column);
    **print_matrix(a, row, column); // error**

    system("pause");
    return 0;
}                                             

错误是 -- cannot convert int (*)[((unsigned int)((int)column))]' toint*' for argument 1' tovoid print_matrix(int*, int, int)' 为什么我会收到错误,因为我认为基地址“a = &a[0][0]”,所以我可以直接调用而不是声明一个新的 int*r 吗?

4

1 回答 1

0

您的代码中有一些错误。

要了解指针与多维数组的关系,请参阅如何在 C++ 中使用数组?,特别是多维数组和指针数组。这将帮助您了解我在您的代码中所做的更改以使其有效。

#include<iostream>

using namespace std;

template <size_t n>
void print_matrix(int (*a)[n], int row, int column)
{
    int i, j;
    for(i=0;i<row;++i)
    {
        cout<<"\n";
        for(j=0;j<column;++j)
        {
            std::cout << a[i][j] << " " ;
        }
    }
}

int main()
{
    const int row = 3, column = 2;
    int a[row][column];
    int i, j;
    cout<< "Enter the matrix\n";
    for(i=0;i<row;++i)
    {
        for(j=0;j<column;++j)
        {
            cin>> a[i][j];
        }
    }
    print_matrix(a, row, column); 
}                              

除此之外,由于您使用的是 C++,因此您应该避免使用此类静态数组,而是更喜欢std::vector(或 Boost 的matrix!)。

于 2012-12-28T07:56:04.847 回答