1

考虑我的例子:评论中概述了问题。

struct jeff {        //jeff is the tag name correct?
   int age;
   int weight;
};

typedef struct {   // Is it correct to say that this structure has no "tag" name?
  int age;
  int weight;      
}jeff;         // This is an alias for an anonymous structure correct? Not its tag name.

typedef struct jeff {     // Is it correct to say that this struct has a tag name jeff
  int age;               // and an alias Jeffery?
  int weight;
 } Jeffery;

这些问题实际上只与关于 C 语言的正确语义有关。

最后一个问题:

struct {
 int age;
 int weight;
}jeff;         // Why would one want a struct with no name/alias. I don't see the benefit.
4

2 回答 2

4

杰夫标签名称正确吗?

正确的。

说这个结构没有“标签”名称是否正确?

确切地。

这是匿名结构的别名,对吗?不是它的标签名称。

AFAIK 它被称为 typedef,但是,这里没有结构标记,只有一个类型名。

说这个结构有一个标签名 jeff 和一个别名 Jeffery 是否正确?

如果你愿意的话。

为什么要一个没有名称/别名的结构?

好吧,也许只是为了好玩?也许它是某个地方的临时变量,根本不会在代码中的其他任何地方使用,因此为它定义结构类型是多余的。(反正我不喜欢这种风格……)

于 2013-02-24T23:44:21.213 回答
1

用于匿名结构

匿名结构(数组)可能有用的一个地方是在一个函数之外不需要数据的代码中。

const char *info_lookup(int value)
{
    static const struct { int number; char *name; } list[] =
    {
        {  1, "twenty-seven"  },
        { 13, "unfortunately" },
        { 27, "won"           },
        ...
    };
    enum { NUM_LIST_ITEMS = sizeof(list) / sizeof(list[0]) };

    for (i = 0; i < NUM_LIST_ITEMS; i++)
    {
        if (value <= list[i].number)
            return(list[i].name);
    }
    return(0);
}

我有时也用它来运行测试,其中结构捕获测试信息:

static const struct
{
    const char *ver1;
    const char *ver2;
    int         result;
} test[] =
{
    {   "7.0.4.27", "7.0.4.17", +1 },
    {   "7.0.4.23", "7.0.4.17", +1 },
    {   "7.0.4.23", "7.0.4.27", -1 },
    {   "7.0.4.23", "7.0.5.07", -1 },
    ...20+ tests omitted...
};

enum { NUM_TESTS = DIM(test) };

static const char *result(int i)
{
    if (i < 0)
        return("<");
    else if (i > 0)
        return(">");
    else
        return("=");
}

int main(void)
{
    size_t j;
    int fail = 0;

    for (j = 0; j < NUM_TESTS; j++)
    {
        int r1 = version_compare(test[j].ver1, test[j].ver2);
        int r2 = version_compare(test[j].ver2, test[j].ver1);
        const char *pass_fail = "PASS";
        char extra[32] = "";
        if (r1 != test[j].result)
        {
            pass_fail = "FAIL";
            fail++;
            snprintf(extra, sizeof(extra), " Expected %s", result(test[j].result));
        }
        assert(r1 == -r2);
        printf("%s: %-10s  %s  %s%s\n",
               pass_fail, test[j].ver1, result(r1), test[j].ver2, extra);
    }

    if (fail == 0)
    {
        printf("== PASS == %d tests passed\n", NUM_TESTS);
        return(0);
    }
    else
    {
        printf("!! FAIL !! %d out of %d tests failed\n", fail, NUM_TESTS);
        return(1);
    }
}

它仅适用于文件外部不需要了解结构的情况,并且只有一个类型的变量(或者您可以在单个声明中声明该类型的所有变量,但我通常每个声明只有一个声明符,所以这相当于该类型的一个变量)。

如果您需要多次引用该类型,那么它需要一个名称——结构标记或 typedef 名称或两者兼而有之。

于 2013-02-25T01:12:46.097 回答