2

我的疑问是:为什么在这段代码中:

/*Asignacion de valores en arreglos bidimensionales*/
#include <stdio.h>

/*Prototipos de funciones*/
void imprimir_arreglo( const int a[2][3] );

/*Inicia la ejecucion del programa*/
int main()
{
  int arreglo1[2][3] = { { 1, 2, 3 }, 
                     { 4, 5, 6 } };                         
  int arreglo2[2][3] = { 1, 2, 3, 4, 5 };
  int arreglo3[2][3] = { { 1, 2 }, { 4 } };

  printf( "Los valores en el arreglo 1 de 2 filas y 3 columnas son:\n" );
  imprimir_arreglo( arreglo1 );

  printf( "Los valores en el arreglo 2 de 2 filas y 3 columnas son:\n" );
  imprimir_arreglo( arreglo2 );

  printf( "Los valores en el arreglo 3 de 2 filas y 3 columnas son:\n" );
  imprimir_arreglo( arreglo3 );

  return 0;
}  /*Fin de main*/

/*Definiciones de funciones*/
void imprimir_arreglo( const int a[2][3] )
{
  int i;  /*Contador filas*/
  int j;  /*Contador columnas*/

  for (i = 0; i <=1; i++)
  {
    for (j = 0; j <= 2; j++)
    {
      printf( "%d ", a[i][j] );
    }

    printf( "\n" );
  }
} /*Fin de funcion imprime_arreglo*/

如果不声明 const 之类的矩阵变量,我就无法编译,而在向量中我可以...为什么会发生这种行为?对不起,如果我的英语不好,我会说西班牙语。我会非常感谢你的回答。

4

2 回答 2

0

void imprimir_arreglo( const int a[2][3] );

void imprimir_arreglo( const int a[2][3] )
{

并且您的代码将起作用。

于 2013-02-20T16:38:52.587 回答
0

这个话题真的很乱。您不应该对间接指针使用常量修饰符,例如const int**,因为可能会出现混乱,例如:

  1. int **值是不能修改的吗?

  2. 或者,它是一个指针(甚至是数组)const int *吗?

C-faq 上有一个关于它的话题

例子:

const int a = 10;
int *b;
const int **c = &b; /* should not be possible, gcc throw warning only */
*c = &a;
*b = 11;            /* changing the value of `a`! */
printf("%d\n", a);

它不应该允许改变a's 的值,gcc允许,并clang在警告下运行,但不改变值。

因此,我不确定为什么编译器(尝试使用gccand clang)抱怨(带有警告,但有效)关于const T[][x],因为它与上面的不完全相同。但是,一般来说,我可能会说这种问题会根据您的编译器(如gccclang)以不同的方式解决,所以永远不要使用const T[][x]

在我看来,最好的选择是使用直接指针:

void imprimir_arreglo( const int *a, int nrows, int ncols )
{
  int i;  /*Contador filas*/
  int j;  /*Contador columnas*/

  for (i = 0; i < nrows; i++)
  {
    for (j = 0; j < ncols; j++)
    {
      printf( "%d ", *(a + i * ncols + j) );
    }

    printf( "\n" );
  }
}

并致电:

imprimir_arreglo( arreglo1[0], 2, 3 );

这样,您的功能就更加动态和便携。

于 2013-02-20T20:37:13.647 回答