1

我正在尝试构建一个应用程序来模拟一些移动的基本球体。

我面临的问题是,当我真正需要数据时,它看起来并没有被分配给 init 语句之外的数组。这与我声明包含粒子的数组的方式有关吗?

我想创建一个可以从各种方法访问的结构数组,因此在我使用的包含语句下方的文件顶部:

struct particle particles[];


// Particle types
enum TYPES { PHOTON, NEUTRINO };

// Represents a 3D point
struct vertex3f
{
    float x;
    float y;
    float z;
};

// Represents a particle
struct particle
{
    enum TYPES type;
    float radius;
    struct vertex3f location;
};

我有一个初始化方法,它创建数组并将粒子分配给它

void init(void)
{
    // Create a GLU quadrics object
    quadric = gluNewQuadric();
    struct particle particles[max_particles];

    float xm = (width / 2) * -1;
    float xp = width / 2;
    float ym = (height / 2) * -1;
    float yp = height / 2;

    int i;
    for (i = 0; i < max_particles; i++)
    {
        struct particle p;

        struct vertex3f location;
        location.x = randFloat(xm, xp);
        location.y = randFloat(ym, yp);
        location.z = 0.0f;

        p.location = location;
        p.radius = 0.3f;

        particles[i] = p;        
    }
}

然后是一个draw方法里面的一个方法来绘制设定的场景

// Draws the second stage
void drawSecondStage(void)
{

    int i;

    for (i = 0; i < max_particles; i++)
    {
        struct particle p = particles[i];

        glPushMatrix();
        glTranslatef(p.location.x , p.location.y, p.location.z );
        glColor3f( 1.0f, 0.0f, 0.0f );
        gluSphere( quadric, 0.3f, 30, 30 );
        glPopMatrix();

        printf("%f\n", particles[i].location.x);
    }
}

这是我的代码的副本http://pastebin.com/m131405dc

4

1 回答 1

5

问题是这个定义:

struct particle particles[];

它不保留任何内存,只是定义一个空数组。您需要在这些方括号中添加一些内容。奇怪的是,您对这个数组中各个位置的所有写入都没有导致段错误崩溃......

您可以尝试使用max_particles,尽管我不确定const在 C 定义中使用变量(尽管是一个)是否合法。

经典的解决方案是使用预处理器,如下所示:

#define MAX_PARTICLES 50

struct particle particles[MAX_PARTICLES];

然后在各个循环中使用 MAX_PARTICLES。我建议将文字放在括号中:

struct particle particles[50];

然后像这样编写循环:

for(i = 0; i < sizeof particles / sizeof *particles; i++)

这是一个编译时划分,所以它不会花费你任何东西,并且你正在重新使用定义本身来提供数组中的元素数量,这(IMO)很优雅。您当然可以采取一些中间方式并定义一个新的宏,如下所示:

#define MAX_PARTICLES  (sizeof particles / sizeof *particles)
于 2009-04-29T11:41:01.990 回答