我是C编程的初学者,但我想知道在定义结构时使用typedef与不使用typedef之间有什么区别。在我看来,这两者并没有什么区别,它们实现的目标是一样的。

struct myStruct{
    int one;
    int two;
};

vs.

typedef struct{
    int one;
    int two;
}myStruct;

当前回答

另一个没有指出的区别是,给struct一个名称(即struct myStruct)也允许你提供结构的前向声明。所以在其他文件中,你可以这样写:

struct myStruct;
void doit(struct myStruct *ptr);

而不需要知道定义。我建议你把这两个例子结合起来:

typedef struct myStruct{
    int one;
    int two;
} myStruct;

这为您提供了更简洁的类型定义名称的便利,但如果需要,仍然允许您使用完整的结构名称。

其他回答

不同之处在于使用结构体时。

第一种方法是:

struct myStruct aName;

第二种方法允许您删除关键字struct。

myStruct aName;

对于后一个示例,在使用结构时省略了struct关键字。所以在你的代码中,你可以这样写:

myStruct a;

而不是

struct myStruct a;

这节省了一些输入,并且可能更易于阅读,但这是一个品味问题

在C语言中,结构、联合和枚举的类型说明关键字是强制性的,也就是说,当引用类型时,你总是必须在类型名(它的标记)前面加上struct、联合或enum。

您可以通过使用typedef来摆脱关键字,这是一种信息隐藏的形式,因为在声明对象时,对象的实际类型将不再可见。

因此建议(参见Linux内核编码风格指南,第5章)只在以下情况下这样做 实际上,您希望隐藏这些信息,而不仅仅是为了节省一些按键。

你应该使用typedef的一个例子是不透明类型,它只与相应的访问器函数/宏一起使用。

下面的代码创建了一个别名为myStruct的匿名结构:

typedef struct{
    int one;
    int two;
} myStruct;

没有别名就不能引用它,因为没有为结构指定标识符。

Struct和typedef是两个完全不同的东西。

struct关键字用于定义或引用结构类型。例如,这个:

struct foo {
    int n;
};

创建名为struct foo的新类型。foo是一个标签;只有当它前面紧跟struct关键字时,它才有意义,因为标记和其他标识符位于不同的名称空间中。(这类似于c++的名称空间概念,但限制更大。)

类型定义(typedef),尽管有这个名字,但并不定义一个新的类型;它只是为现有类型创建一个新名称。例如,给定:

typedef int my_int;

My_int是int的新名称;My_int和int是完全相同的类型。类似地,给定上面的结构体定义,你可以这样写:

typedef struct foo foo;

该类型已经有一个名称,struct foo。typedef声明为同一类型赋予了一个新名称foo。

语法允许你将struct和typedef组合成一个声明:

typedef struct bar {
    int n;
} bar;

这是一个常用的习语。现在你可以把这个结构类型称为struct bar或者bar。

注意,typedef名称直到声明结束才可见。如果结构体包含指向自身的指针,则必须使用结构体版本来引用它:

typedef struct node {
    int data;
    struct node *next; /* can't use just "node *next" here */
} node;

有些程序员会为struct标记和typedef名称使用不同的标识符。在我看来,这并没有什么好理由;使用相同的名字是完全合法的,而且更清楚地表明他们是同一类型的人。如果你必须使用不同的标识符,至少使用一致的约定:

typedef struct node_s {
    /* ... */
} node;

(Personally, I prefer to omit the typedef and refer to the type as struct bar. The typedef saves a little typing, but it hides the fact that it's a structure type. If you want the type to be opaque, this can be a good thing. If client code is going to be referring to the member n by name, then it's not opaque; it's visibly a structure, and in my opinion it makes sense to refer to it as a structure. But plenty of smart programmers disagree with me on this point. Be prepared to read and understand code written either way.)

(c++有不同的规则。给定结构体blah的声明,即使没有类型定义,也可以直接将类型引用为blah。使用typedef可能会让你的C代码更像c++——如果你认为这是件好事的话。)