如何在一行中初始化复杂的C结构?

时间:2012-06-29 12:07:31

标签: c arrays struct initialization

我有一个结构:

typedef struct stock {
  const char* key1p2;    // stock code
  const char* key2p2;    // short desc
  const char* desc1;     // description
  const char* prod_grp;  // product group
  const char dp_inqty;   // decimal places in quantity
  const long salprc_u;   // VAT excl price
  const long salprc_e;   // VAT includive price
  const long b_each;     // quantity in stock
  const long b_alloc;    // allocated qty
  const char* smsgr_id;  // subgroup
  const char** barcodes; // barcodes
} stock_t;

我希望在每个库存结构的一行代码中初始化此结构的实例数组。

我试过了:

stock_t data_stock[] = {
    { "0001", "Soup",  "Tomato Soup",     "71", 0, 100, 120, 10, 0, "",   {"12345", "23456", NULL} },
    { "0002", "Melon", "Melon and Ham",   "71", 0, 200, 240, 10, 0, "",   {"34567", "45678", NULL} },
    ...
    { NULL,   NULL,    NULL,              NULL, 0,   0,   0,  0, 0, NULL, NULL         }
};

但它失败了:

data.c:26:74: warning: incompatible pointer types initializing 'const char **' with an expression of type 'char [6]'
      [-Wincompatible-pointer-types]
  { "0001", "Soup",  "Tomato Soup",     "71", 0, 100, 120, 10, 0, "",   {"12345", "23456", NULL} },
                                                                         ^~~~~~~

条形码字段是有问题的,因为它是char **。

(那是铿锵的,但GCC报告了类似的错误,但不太有帮助。)

这几乎就像编译器在“12345”之前忽略了大括号。

我可以使用以下方法解决问题:

const char *barcodes0001[] = {"12345", "23456", NULL};

stock_t data_stock[] = {
  { "0001", "Soup",  "Tomato Soup",     "71", 0, 100, 120, 10, 0, "",   barcodes0001 },

这个问题的原因是char []和char * 之间是不同的,还是有更微妙的东西。 (也许你可以初始化结构数组,但不能初始化数组的结构。)

2 个答案:

答案 0 :(得分:6)

这并不是说编译器忽略你的大括号,就好像你的大括号忽略了语言的语法规则。 :)

字段barcode是一个指针(指向指针,但它位于该点旁边)。您需要提供有效的指针值,并且您提供的支撑物不匹配。

你也不能这样做:

struct foo {
  int a, b;
};

struct foo *pointer_to_foo = &{ 1, 2 }; /* Not valid code. */

这在逻辑上与您尝试的相同。或者,删除struct,您也无法执行此操作:

int *pointer_to_a = &12; /* Not valid code. */

您已经分析了barcode数据的解决方案就是这样做的。

答案 1 :(得分:4)

为了避免必须声明一个命名的虚拟变量,您可以使用复合文字

stock_t data_stock[] = {
    { "0001", "Soup",  "Tomato Soup",     "71", 0, 100, 120, 10, 0, "",   (const char*[]){"12345", "23456", NULL} },
    { "0002", "Melon", "Melon and Ham",   "71", 0, 200, 240, 10, 0, "",   (const char*[]){"34567", "45678", NULL} },
    ...
    { NULL,   NULL,    NULL,              NULL, 0,   0,   0,  0, 0, NULL, NULL         }
};

这是一种定义语法为(type){ initializers }的本地临时变量的方法,该变量自c99起可用(并且clang和gcc具有它们)。

编辑:这些复合文字的生命周期与变量data_stock相同,所以我想这没关系。在任何情况下,我认为您应将大多数字段标记为const,例如const char*const key1p2;

如果您使用指定的初始化程序,那么阅读会更容易

{ .keyp1 = "0001", ... }