我在程序中实现了文件的结构,但是对于结构中的某些数组,我不知道大小。数组的大小存储在另一个变量中,但是在填充结构之前未知。

struct Vertex {
    float x;
    float y;
    float z;
};
struct myFile {
    ulong nVertices;
    Vertex vertices[nVertices];
};

那给出了一个错误:“错误C2065:'nVertices':未声明的标识符”。

最佳答案

您应该在结构体中存储一个指针:

Vertex *vertices;

然后在运行时分配内存:
myFile f;
f.vertices = malloc(nVertices * sizeof(Vertex));
if (f.vertices == 0)
    handle_out_of_memory();

f.nVertices = nVertices;

完成后请记住释放内存:
free(f.vertices);

09-25 17:10