你好我明天必须用C语言编写一个俄罗斯方块游戏,并且我遇到一个应该将精灵作为4x4矩阵返回精灵的麻烦。
我很可能很简单,因为我不熟悉指向数组的指针。
所以在我存储形状的第一个文件中,这是1个形状的测试吸气剂
int shape_i[4][4] = {
{1,0,0,0},
{1,0,0,0},
{1,0,0,0},
{1,0,0,0}
};
int **get_shape(){
return shape_i;}
现在从我的绘图文件中我称之为
void draw_shape(){
int **shape= get_shape();
for (int i = 0; i<4; i++){
for (int j=0; j<4; j++){
int value = shape[j][i];
if (value != 0){
SDL_Rect rect;
rect.x = (get_x()+i)*BLOCK_WIDTH;
rect.y = (get_y()+j) *BLOCK_HEIGHT;
rect.h = BLOCK_HEIGHT;
rect.w = BLOCK_WIDTH;
SDL_FillRect(window,&rect,0x044DDE);
}
}
}
SDL_Flip(window);
}
编译时不会出错,但程序到达get_shape()
后会停止答案 0 :(得分:0)
TL; DR :使用memcpy
将数据复制到形状数组,请参阅下面的第二个示例。其他例子是带有解释的替代方法。
在C中,您无法返回数组。您只能将指向第一个元素的指针返回给数组。数组的第一个元素本身就是一个数组,一个由4 int
s。
定义指向四个整数数组的指针的语法有点巴洛克式:
int (*p)[4];
当你必须将它定义为函数的返回类型时,它会更加巴洛克式:
int (*get_shape(int c))[4] { ... }
解决这个问题的方法是使用typedef
:
typedef int (*Shape)[4];
现在您的变量和函数原型如下所示:
Shape p = get_shape(c);
Shape get_shape(int c) { ... }
这是一个完整的例子:
#include <stdlib.h>
#include <stdio.h>
typedef int (*Shape)[4];
int shape_i[4][4] = {{1,0,0,0}, {1,0,0,0}, {1,0,0,0}, {1,0,0,0}};
int shape_l[4][4] = {{1,0,0,0}, {1,0,0,0}, {1,1,0,0}, {0,0,0,0}};
int shape_z[4][4] = {{1,0,0,0}, {1,1,0,0}, {0,1,0,0}, {0,0,0,0}};
Shape get_shape(int c)
{
switch (c) {
case 'I': return shape_i;
case 'L': return shape_l;
case 'Z': return shape_z;
}
return NULL;
}
int main()
{
int c;
for (c = 'A'; c <= 'Z'; c++) {
Shape p = get_shape(c);
if (p) {
int i, j;
for (j = 0; j < 4; j++) {
for (i = 0; i < 4; i++) {
putchar(p[j][i] ? '#' : ' ');
}
puts("");
}
puts("--");
}
}
return 0;
}
请注意,形状的定义仍然需要使用int[4][4]
,因为数组不是指针。您需要用于定义数据的阵列。另请注意,此解决方案返回指向原始shape_i
的指针。当您修改p
中的数据时,您会修改shape_i
到p
,从而破坏您的形状原型。
如果你想用数据填充一个数组,只需传入数据。这对于一维数组来说是一种常见的方法:传递数组并让函数填充它。返回一个(否则无关的)值,告诉您操作是否成功。
int get_shape(int shape[4][4], int c)
{
switch (c) {
case 'I': memcpy(shape, shape_i, sizeof(shape)); return 1;
case 'L': memcpy(shape, shape_l, sizeof(shape)); return 1;
case 'Z': memcpy(shape, shape_z, sizeof(shape)); return 1;
}
return 0;
}
memcpy
是标准库的一个功能,您应该为其添加<string.h>
。返回值只是检查形状是否有效。像这样使用它:
int p[4][4];
if (get_shape('I')) {
// p is now filled with a copy of shape_i
}
我认为这是你应该使用的方法。它会将shape_t
的内容复制到p
,这就是您想要的内容。您将旋转并翻转当前块p
,而您希望将块原型shape_i
保持不变,以便将来&#34;克隆&#34;。
我上面已经说过,你不能在C中返回数组。你可以做的是将你的数组包装在struct
中并返回它。结构按值传递,不会像数组那样衰减成指针。
struct Shape {
int data[4][4];
};
struct shape shape_i = {{{1,0,0,0}, {1,0,0,0}, {1,0,0,0}, {1,0,0,0}}};
struct Shape get_shape(void) {
return shape_i;
};
struct Shape p = get_shape();
这也将复制cntents,但您必须以p.data[i][j]
。