通过函数将值存储在2D数组中

时间:2016-09-12 12:05:45

标签: c multidimensional-array

我编写了下面的代码来生成作为用户输入的3D坐标点的26个邻域体素。我使用了一个函数nbr26,它生成相邻的体素'坐标值,但得到以下错误和警告。

plane.c: In function ‘nbr26’:
plane.c:28:18: error: **expected expression before ‘{’ token**

Arr[26][3] = {{p0-1,q0,r0},{p0+1,q0,r0},{p0,q0-1,r0},{p0,q0+1,r0},{p0,q0,r0-1},{p0,q0,r0+1},{p0-1,q0-1,r0},{p0+1,q0-1,r0},{p0-1,q0+1,r0},{p0+1,q0+1,r0},{p0-1,q0,r0-1},{p0+1,q0,r0-1},{p0-1,q0,r0+1},{p0+1,q0,r0+1},{p0,q0-1,r0-1},{p0,q0-1,r0+1},{p0,q0+1,r0-1},{p0,q0+1,r0+1},{p0-1,q0-1,r0-1},{p0-1,q0-1,r0+1},{p0-1,q0+1,r0-1},{p0-1,q0+1,r0+1},{p0+1,q0-1,r0-1},{p0+1,q0-1,r0+1},{p0+1,q0+1,r0-1},{p0+1,q0+1,r0+1}};
              ^

plane.c:29:5: warning: **return from incompatible pointer type** [enabled by default]
 return Arr;
 ^

请仔细看看并解决问题!

#include<stdio.h>
#include<stdlib.h>

int** nbr26(int, int, int, int[][3]);
int main()
{
    int x0, y0, z0, a, b, c, d, Ar[26][3];

    printf("\nPlease enter a point on the plane : ");
    scanf("%d %d %d", &x0, &y0, &z0);

    printf("\nPlease enter a norm of the plane : ");
    scanf("%d %d %d", &a, &b, &c);

    printf("\nUser Input");
    printf("\n(%d,%d,%d)", x0, y0, z0);
    printf("\t<%d,%d,%d>", a, b, c);
    d = -a*x0-b*y0-c*z0;
    printf("\nScaler Equation of the given plane is : %dx+%dy+%dz+  (%d)=0", a, b, c, d);

    int** ra = nbr26(x0,y0,z0,Ar);
    printf("\n26 neighbours of the given point are : ");
    printf("(%d,%d,%d)\n",x0-1,y0-1,z0-1);
    return 0;
}
int** nbr26(int p0, int q0, int r0, int Arr[26][3])
{
    Arr[26][3] = {{p0-1,q0,r0},{p0+1,q0,r0},{p0,q0-1,r0},{p0,q0+1,r0}, {p0,q0,r0-1},{p0,q0,r0+1},{p0-1,q0-1,r0},{p0+1,q0-1,r0},{p0-1,q0+1,r0},{p0+1,q0+1,r0},{p0-1,q0,r0-1},{p0+1,q0,r0-1},{p0-1,q0,r0+1},{p0+1,q0,r0+1},{p0,q0-1,r0-1},{p0,q0-1,r0+1},{p0,q0+1,r0-1},{p0,q0+1,r0+1},{p0-1,q0-1,r0-1},{p0-1,q0-1,r0+1},{p0-1,q0+1,r0-1},{p0-1,q0+1,r0+1},{p0+1,q0-1,r0-1},{p0+1,q0-1,r0+1},{p0+1,q0+1,r0-1},{p0+1,q0+1,r0+1}};
    return Arr;
}

1 个答案:

答案 0 :(得分:-1)

您正在尝试初始化不在其声明中的数组。这在C或C ++中是不合法的。您只能将其与声明一起初始化。

你唯一能做的就是直接设置值或从另一个数组中复制它。

所以基本上你被迫做任何一次

void nbr26(int p0, int q0, int r0, int Arr[26][3])
{
  Arr[0][0] = p0 - 1;
  Arr[0][1] = q0;
  ...
}

或者

void nbr26(int p0, int q0, int r0, int Arr[26][3])
{
  const int buffer[26][3] = {{p0-1,q0,r0}, ... };
  memcpy(Arr, buffer, 26*3*sizeof(int));
}