23

我遇到过这段代码:

struct test                   
{                                        
 uint32       num_fields;            
 char array_field [];               
}; 

我怎么理解array_field?这是 C 语言的 gcc 扩展吗?

4

2 回答 2

21

这是一个 C99 特性,称为灵活数组成员,通常用于创建可变长度数组。

它只能指定为结构的最后一个成员而不指定大小(如 中array_field [];)。


例如,您可以执行以下操作,该成员arr将为它分配 5 个字节:

struct flexi_example
{
int data;
char arr[];
};


struct flexi_example *obj;

obj = malloc(sizeof (struct flexi_example) + 5);

它的优点/缺点在这里讨论:

C中的灵活数组成员 - 不好?

于 2013-06-19T07:41:18.613 回答
2

此类结构通常以计算大小分配在堆上,代码如下:

#include <stddef.h>

struct test * test_new(uint32 num_fields)
{
    size_t sizeBeforeArray = offsetof(struct test, array_field);
    size_t sizeOfArray = num_fields * sizeof(char);
    struct test * ret = malloc(sizeBeforeArray + sizeOfArray);
    if(NULL != ret)
    {
        ret->num_fields = num_fields;
    }
    return ret;
}
于 2013-06-19T07:43:09.160 回答