1

我在 Visual Studio 2010 中将一些旧代码从 C 移植到 C++,我遇到了这个问题:

typedef struct OptionDef {
    const char *name;
    int flags;
    union {
        void *dst_ptr;
        int (*func_arg)(void *, const char *, const char *);
        size_t off;
    } u;
    const char *help;
    const char *argname;
} OptionDef;

static const OptionDef options[] = {
    { "x", HAS_ARG, { .func_arg = opt_width }, "force displayed width", "width" },
    ...

现在失败并出现语法错误。我已经看到在 C++ 中静态初始化匿名联合的响应,但是重载构造函数将不起作用,因为我正在设置一个数组。有没有其他方法可以做到这一点(而不是仅仅重写代码不使用联合)?

更新:我应该更具体 - 数组包含使用联合的所有部分的不同初始化器:

static int is_full_screen;

    { "fs", OPT_BOOL, { &is_full_screen }, "force full screen" },

所以仅仅改变工会的顺序是无济于事的。

4

2 回答 2

1

C++ 没有 C 的.member初始化语法。

您可以对联合使用聚合初始化,但只能在第一个成员上使用。

因此,用您要设置为第一个成员的那个重写它:

union {
    int (*func_arg)(void *, const char *, const char *);
    void *dst_ptr;
    size_t off;
} u;

static const OptionDef options[] = {
    { "x", HAS_ARG, { opt_width }, "force displayed width", "width" },

你也可以给你的结构一个构造函数——C++11应该允许你使用大括号初始化器。

例子:

struct foo {
    int flags;
    struct uwrap {
      uwrap(int (*func_arg)(void *, const char *, const char *))
      : func_arg(func_arg) {}
      uwrap(int off)
      : off(off) {}
      union {
          void *dst_ptr;
          int (*func_arg)(void *, const char *, const char *);
          int off;
      };
    } u;
};

int func(void *, const char *, const char *) {}

int main() {
    foo f[] = { { 1, {func}}, { 2, {0}} };
}

在 C++03 中,如果结构具有构造函数,则可以使用临时对象来执行此操作:

foo f[] = { foo(1, func), foo(3, 0) };
于 2012-11-30T03:03:27.247 回答
-1

只需这样做:

static const OptionDef options[] = {
   { "x", HAS_ARG, {opt_width }, "force displayed width", "width" },
    ...
于 2012-11-30T03:01:06.397 回答