C ++中'struct'和'typedef struct'之間的區別?
- 2019 年 12 月 19 日
- 筆記
在C ++中,之間有什麼區別:
struct Foo { ... };
和
typedef struct { ... } Foo;
#1樓
您不能對typedef結構使用forward聲明。
struct本身是一個匿名類型,因此您沒有實際名稱來轉發聲明。
typedef struct{ int one; int two; }myStruct;
像這樣的前瞻聲明不會起作用:
struct myStruct; //forward declaration fails void blah(myStruct* pStruct); //error C2371: 'myStruct' : redefinition; different basic types
#2樓
C ++中’typedef struct’和’struct’之間的一個重要區別是’typedef structs’中的內聯成員初始化將不起作用。
// the 'x' in this struct will NOT be initialised to zero typedef struct { int x = 0; } Foo; // the 'x' in this struct WILL be initialised to zero struct Foo { int x = 0; };
#3樓
Struct是創建數據類型。 typedef用於設置數據類型的昵稱。
#4樓
C ++沒有區別,但是我相信它會允許你在不明確地執行的情況下聲明struct Foo的實例:
struct Foo bar;
#5樓
在C ++中,只有一個微妙的區別。 這是C的延續,它有所作為。
C語言標準( C89§3.1.2.3 , C99§6.2.3和C11§6.2.3 )要求為不同類別的標識符分別命名空間,包括標記標識符 (用於struct
/ union
/ enum
)和普通標識符 (用於typedef
和其他標識符)。
如果你剛才說:
struct Foo { ... }; Foo x;
您會收到編譯器錯誤,因為Foo
僅在標記名稱空間中定義。
您必須將其聲明為:
struct Foo x;
每當你想要引用Foo
,你總是要把它稱為struct Foo
。 這會很快煩人,所以你可以添加一個typedef
:
struct Foo { ... }; typedef struct Foo Foo;
現在struct Foo
(在標記命名空間中)和普通Foo
(在普通標識符命名空間中)都引用相同的東西,並且您可以在沒有struct
關鍵字的情況下自由聲明Foo
類型的對象。
構造:
typedef struct Foo { ... } Foo;
只是聲明和typedef
的縮寫。
最後,
typedef struct { ... } Foo;
聲明一個匿名結構並為其創建一個typedef
。 因此,使用此構造,它在標記名稱空間中沒有名稱,只有typedef名稱空間中的名稱。 這意味著它也無法向前宣布。 如果要進行前向聲明,則必須在標記名稱空間中為其指定名稱 。
在C ++中,所有struct
/ union
/ enum
/ class
聲明都像隱式typedef
一樣,只要該名稱不被另一個具有相同名稱的聲明隱藏。 有關詳細資訊,請參閱Michael Burr的答案 。