0

我创建了一个由整数数组结构states[2]组成的 C 程序。我还需要一个名为store的 uint32_t 类型数组。我只想将数组 states[0] 的内容复制到 store[0] 并将 states[1] 的内容复制到 store[1]。我将这种方法用于 char 数组,它似乎有效。我的代码如下所示:

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

 int main()
 {
     uint32_t *store[2];
     int i;
     int *states[2];
     int states[0] = {1,0,0,1};
     int states[1] = {0,0,0,2};

     for (i = 0; i < 3; i++)
     {
        store[i] = states[i];
        i++;
     }
 }

然而,代码没有执行,并说我声明的数组格式无效。我不确定这是否是正确的方法。有人可以帮我解决这个问题。

4

2 回答 2

2

我已经重新编写了您的示例 - 强制数组的大小 - 在此,它有效。

编辑 - 添加 printf 调用以显示数组存储的内容。

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

 int main()
 {
     int store[3][4];
     int i;
     int states[3][4] = {{1,0,0,1},{0,0,0,2}};

     for(i=0; i<3; i++)
     {
        printf( "store[%d] = ", i );
        for( int inner = 0; inner < 4; inner++ )
        {
           store[i][inner] = states[i][inner];
           printf( "%d ", store[i][inner] ); 
        }
        printf( "\n" );
     }

    return( 0 );   

}

在数组中创建指针时,您确实需要分配然后复制。

于 2015-08-04T10:32:33.243 回答
1

您的代码中有两个问题,

第一的,

int *states[2];
int states[0] = {1,0,0,1};
int states[1] = {0,0,0,2};

有问题。访问变量时,类型不提,仅在定义时需要。所以,使用int states[0]or..[1]是无效的。

然后,其次,

states[0] = {1,0,0,1};

state[0]是 类型int *,并且您正尝试使用大括号括起来的初始化器列表ints 来初始化它。那也不是正确的事情。

您可以修改代码以在访问数组元素时删除类型并使用复合文字,最后看起来像下面

#include <stdlib.h>
#include <stdio.h>
#include <stdint.h>   //added for uint32_t 

 int main(void)        //corrected signature
 {
     uint32_t *store[2];
     int i;
     int *states[2];
     states[0] = (int []){1,0,0,1};     //compound literal, C99 and above
     states[1] = (int []){0,0,0,2};

     for (i = 0; i < 2; i++)           //bound corrected
     {
        store[i] = states[i];
                                       //i++; remove this, you're incrementing twice
     }
 }
于 2015-08-04T10:38:03.387 回答