同じプロトタイプの一連の関数があります。
int func1(int a, int b) {
// ...
}
int func2(int a, int b) {
// ...
}
// ...
今、私は彼らの定義と宣言を単純化したいと思います。もちろん、そのようなマクロを使用できます。
#define SP_FUNC(name) int name(int a, int b)
しかし、私はそれをCで保持したいので、ストレージ指定子typedef
を使用してみました:
typedef int SpFunc(int a, int b);
これは宣言では問題なく機能するようです。
SpFunc func1; // compiles
しかし、定義ではありません:
SpFunc func1 {
// ...
}
これは私に次のエラーを与えます:
error: expected '=', ',', ';', 'asm' or '__attribute__' before '{' token
これを正しく行う方法はありますか、それとも不可能ですか? Cについての私の理解ではこれはうまくいくはずですが、うまくいきません。どうして?
注、gccは私がやろうとしていることを理解しています。
SpFunc func1 = { /* ... */ }
それは私に伝えます
error: function 'func1' is initialized like a variable
つまり、gccはSpFuncが関数型であることを理解しています。
関数型のtypedefを使用して関数を定義することはできません。明示的に禁止されています-6.9.1/2および関連する脚注を参照してください。
関数定義で宣言された識別子(関数の名前)は、関数定義の宣言子部分で指定されているように、関数型を持つ必要があります。
その目的は、関数定義の型カテゴリをtypedefから継承できないことです。
typedef int F(void); // type F is "function with no parameters // returning int" F f, g; // f and g both have type compatible with F F f { /* ... */ } // WRONG: syntax/constraint error F g() { /* ... */ } // WRONG: declares that g returns a function int f(void) { /* ... */ } // RIGHT: f has type compatible with F int g() { /* ... */ } // RIGHT: g has type compatible with F F *e(void) { /* ... */ } // e returns a pointer to a function F *((e))(void) { /* ... */ } // same: parentheses irrelevant int (*fp)(void); // fp points to a function that has type F F *Fp; //Fp points to a function that has type F
typedef
は、ヘッダー(ソースコードテキスト)ではなくtypeを定義します。ヘッダーのコードを除外する必要がある場合は、#define
を使用する必要があります(お勧めしませんが)。
([編集]最初のものが機能する理由は、プロトタイプを定義していないためです。これは、typedef
によって定義された型の変数を定義しているため、必要なものではありません。)