0

我为一个函数指针创建了一个 typedef,它接受一个整数并返回一个 void *:

typedef void* (*fp)(int index);

然后我创建了一个包含 fp 和另一个相同类型结构的结构:

typedef struct fp_holder {
    fp function_pointer;
    iterable *next;
} fp_holder;

我试图弄清楚如何在 fp_holder 中调用 fp。

为了测试这一点,我做了以下事情:

void *test_fp(int index) {
    if (index == 0) {
        printf('H');
        fflush(stdout);
        return [something_that_works];
    }
    else if (index == 1) {
        printf('e');
        fflush(stdout);
        return [something_that_works];
    }
    else if (index == 2) {
        printf('l');
        fflush(stdout);
        return [something_that_works];
    }
    else if (index == 3) {
        printf('l');
        fflush(stdout);
        return [something_that_works];
    }
    else if (index == 4) {
        printf('o');
        fflush(stdout);
        return [something_that_works];
    }
    else {
        return (void *) NULL;
    }
}

fp_holder *a = (fp_holder *) malloc(sizeof(fp_holder));
a->function_pointer = test_fp;
a->next = NULL;

因此,通过所有这些设置,我尝试通过尝试以下操作来调用 a 的 function_pointer:

a->function_pointer(0);
(*a->function_pointer)(0);
((*)a->function_pointer)(0);

我只是无法弄清楚为什么这些不起作用。帮助将不胜感激!:)

编辑

我正在尝试做的事情:使用参数调用 a 的 function_pointer。

我现在会尝试一些答案,看看会发生什么。

编辑2

回答!我通过执行 a->function_pointer(0) 来正确调用它,但是给我一个分段错误 [这是我的问题 - 也许我应该澄清这一点] 是 printf 语句而不是我的调用。printf 需要一个字符串,而不是我输入的字符。

4

2 回答 2

5

您的原始代码是否真的可以

printf('H');

代替

printf("H");

?

您发布的代码的简化版本,带有正确的 printf 参数:

#include <stdio.h>

typedef void* (*function_pointer_t)(int index);

struct function_holder {
    function_pointer_t callback;
};

void* testFn(int i)
{
    printf("testFn %d\n", i);
}

int main(void) {
    struct function_holder fh = { testFn };
    struct function_holder* fhp = &fh;

    fh.callback = testFn;
    fh.callback(1);
    fhp->callback(2);

    return 0;
}

按预期工作:http: //ideone.com/1syLlG

于 2013-11-03T08:19:47.127 回答
0

您的代码有几个错误。我不确定您要通过此代码实现什么,但是这是您的工作代码。

#include "stdio.h"
#include "string.h"
#include "stdlib.h"

typedef void* (*fp)(int index);
typedef struct fp_holder {
    fp function_pointer;
    struct fp_holder *next;
} fp_holder;

void *test_fp(int index) {
    if (index == 0) {
        printf("H");
        fflush(stdout);
        return "H";
    }
    else if (index == 1) {
        printf("e");
        fflush(stdout);
        return "e";
    }
    else if (index == 2) {
        printf("l");
        fflush(stdout);
        return "l";
    }
    else if (index == 3) {
        printf("l");
        fflush(stdout);
        return "l";
    }
    else if (index == 4) {
        printf("o");
        fflush(stdout);
        return "o";
    }
    else {
        return (void *) NULL;                                                                                                                                    }
    }


int main() {
    fp_holder *a = (fp_holder *) malloc(sizeof(fp_holder));
    a->function_pointer = test_fp;
    a->next = NULL;
    a->function_pointer(0);
}
于 2013-11-03T08:33:07.563 回答