是否可以在C?
中的另一个结构中嵌入不同类型的结构?基本上我想做这样的事情。
struct A { int n; void *config; }
struct AConfig { int a; char *b; }
struct BConfig { int a; float b; }
const struct A table[] = {
{ 103, (void*)(struct AConfig){ 1932, "hello" } },
{ 438, (void*)(struct BConfig){ 14829, 33.4f } }
}
这可能在C中,还是我必须单独定义结构?
答案 0 :(得分:3)
不,它不会那样工作。您需要为每个结构显式存储:
struct A { int n; void *config; };
struct AConfig { int a; char *b; };
struct BConfig { int a; float b; };
struct AConfig ac = { 1932, "hello" };
struct BConfig bc = { 14829, 33.4f };
const struct A table[] = {
{ 103, &ac },
{ 438, &bc }
};
另一种可能性是使用union
和C99(-std=c99
)命名的初始值设定项:
enum config_type { CT_INT, CT_FLOAT, CT_STRING };
union config_value {
int int_value;
float float_value;
const char* string_value;
};
struct config {
enum config_type ctype;
union config_value cvalue;
};
struct config sys_config[] = {
{ CT_INT, { .int_value = 12 }},
{ CT_FLOAT, { .float_value = 3.14f }},
{ CT_STRING, { .string_value = "humppa" }}};
void print_config( const struct config* cfg ) {
switch ( cfg->ctype ) {
case CT_INT:
printf( "%d\n", cfg->cvalue.int_value ); break;
case CT_FLOAT:
printf( "%f\n", cfg->cvalue.float_value ); break;
case CT_STRING:
printf( "%s\n", cfg->cvalue.string_value ); break;
default:
printf( "unknown config type\n" );
}
}
答案 1 :(得分:1)
您可以使用联合:
struct AConfig { int a; char *b; };
struct BConfig { int a; float b; };
struct A {
int n;
union {
struct AConfig a;
struct BConfig b;
};
};
请注意,a
和b
在内存中的空间完全相同。因此,如果您要使用A.a
,则不应使用A.b
,反之亦然。
由于这是一个匿名联合,您可以引用a
和b
,就像它们是结构A的直接字段一样:
struct A sa;
sa.n = 3;
sa.b.a = 4;
sa.b.b = 3.14;
答案 2 :(得分:0)
如果BConfig有一个指向b的浮点指针,它会起作用。
顺便说一句,也许您需要重构代码以适应C语法。
#include <stdio.h>
#include <stdlib.h>
typedef struct { int n; void *config; } Config;
typedef struct { int a; char *b; } AConfig;
typedef struct { int a; float *b; } BConfig;
int main(void) {
AConfig A;
BConfig B;
A.a= 103;
A.b= "hello";
B.a= 438;
B.b=(float *) malloc (sizeof(float));
*(B.b)= 33.4f;
const Config table[] = {
{ A.a, (void *) A.b },
{ B.a, (void *) B.b }
};
printf("Hi\n");
return 0;
}
答案 3 :(得分:0)
你可能更喜欢工会。我的联合语法有点生疏,但是像这样:
union config { char* c; float d; };
struct A {int n; int a; union config b;};
const struct A table[] = {
{103, 1932, { .c = "hello" } },
{14829, 438, { .d = 33.4f } }
};
你需要C99用于指定的initalizer(表中的.c或.d),显然有一些方法可以告诉你是否正在访问char *或float,但我认为你已经覆盖了其他地方。