8

私は独特の問題に遭遇しました。私がやろうとしていることを見せて、それを説明するのが最善かもしれません。

typedef void functionPointerType ( struct_A * sA );

typedef struct
{
    functionPointerType ** functionPointerTable;
}struct_A;

基本的に、私は、struct_A型のパラメーターを持つ関数ポインターのテーブルへのポインターを持つ構造体を持っていますstruct_A。しかし、これをどのように、または前方宣言できるかわからないため、このコンパイルを取得する方法がわかりません。

誰もがこれをどのように達成できるか知っていますか?

編集:コードのマイナーな修正

4

3 に答える 3

10

あなたが提案するように前方宣言:

/* Forward declare struct A. */
struct A;

/* Typedef for function pointer. */
typedef void (*func_t)(struct A*);

/* Fully define struct A. */
struct A
{
    func_t functionPointerTable[10];
};

例えば:

#include <stdio.h>
#include <string.h>
#include <stdlib.h>

struct A;

typedef void (*func_t)(struct A*);

struct A
{
    func_t functionPointerTable[10];
    int value;
};

void print_stdout(struct A* a)
{
    printf("stdout: %d\n", a->value);
}

void print_stderr(struct A* a)
{
    fprintf(stderr, "stderr: %d\n", a->value);
}

int main()
{
    struct A myA = { {print_stdout, print_stderr}, 4 };

    myA.functionPointerTable[0](&myA);
    myA.functionPointerTable[1](&myA);
    return 0;
}

出力:

stdout:4
stderr:4

オンラインデモhttp://ideone.com/PX880wを参照してください。


他の人がすでに述べたように、以下を追加することが可能です:

typedef struct A struct_A;

関数ポインタの前と、キーワードを省略することが望ましいかどうかtypedefの完全な定義。struct Astruct

于 2013-03-25T22:08:03.433 に答える
2

私はこれがあなたが探しているものだと思います:

//forward declaration of the struct
struct _struct_A;                               

//typedef so that we can refer to the struct without the struct keyword
typedef struct _struct_A struct_A;              

//which we do immediately to typedef the function pointer
typedef void functionPointerType(struct_A *sA); 

//and now we can fully define the struct    
struct _struct_A                        
{
    functionPointerType ** functionPointerTable;
};
于 2013-03-25T22:10:23.270 に答える
0

それを行う別の方法があります:

typedef struct struct_A_
{
    void  (** functionPointerTable) (struct struct_A_);
}struct_A;


 void typedef functionPointerType ( struct_A ); 
于 2013-03-25T22:17:13.800 に答える