我是C编程的初学者,但我想知道在定义结构时使用typedef与不使用typedef之间有什么区别。在我看来,这两者并没有什么区别,它们实现的目标是一样的。
struct myStruct{
int one;
int two;
};
vs.
typedef struct{
int one;
int two;
}myStruct;
我是C编程的初学者,但我想知道在定义结构时使用typedef与不使用typedef之间有什么区别。在我看来,这两者并没有什么区别,它们实现的目标是一样的。
struct myStruct{
int one;
int two;
};
vs.
typedef struct{
int one;
int two;
}myStruct;
当前回答
在C(不是c++)中,你必须像这样声明结构变量:
struct myStruct myVariable;
为了能够使用myStruct myVariable;相反,你可以对结构进行类型定义:
typedef struct myStruct someStruct;
someStruct myVariable;
你可以将结构定义和类型定义结合在一个声明匿名结构和类型定义的语句中。
typedef struct { ... } myStruct;
其他回答
如果使用struct而不使用typedef,则总是需要编写
struct mystruct myvar;
写字是违法的
mystruct myvar;
如果使用typedef,就不再需要结构体前缀了。
不同之处在于使用结构体时。
第一种方法是:
struct myStruct aName;
第二种方法允许您删除关键字struct。
myStruct aName;
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++——如果你认为这是件好事的话。)
在C(不是c++)中,你必须像这样声明结构变量:
struct myStruct myVariable;
为了能够使用myStruct myVariable;相反,你可以对结构进行类型定义:
typedef struct myStruct someStruct;
someStruct myVariable;
你可以将结构定义和类型定义结合在一个声明匿名结构和类型定义的语句中。
typedef struct { ... } myStruct;
与其他构造一样,typedef用于为数据类型赋予新名称。在这种情况下,这样做主要是为了使代码更干净:
struct myStruct blah;
vs.
myStruct blah;