抽象函数指针

时间:2009-07-30 21:07:45

标签: c arrays function-pointers

我如何创建一个包含十个函数指针的数组?我有一个for循环,我想在每次迭代时设置一个函数指针指向不同的函数。这样:

//pseudocode
for i (0..10)
    function = array_of_functions[i];
//...

5 个答案:

答案 0 :(得分:8)

// Define alias for function pointer type for convenience
typedef void (*action)(int);

// Example function
void print(int) { ... }

action fs[10] = { print, ... };
for (int i = 0; i < 10; ++i)
{
    action f = fs[i];

    // Call it somehow
    f(i * i);
}

答案 1 :(得分:4)

此代码:

return_t (*array_of_functions[10])(arg1_t, arg2_t);

将“array_of_functions”声明为10个元素的函数指针数组,其中每个指向函数接受两个类型为arg1_t和arg2_t的参数,并返回类型return_t。替换类型并根据需要调整参数的数量。

答案 2 :(得分:2)

最简单的方法是为函数创建一个typedef,然后声明一个具有该类型的数组。要为函数创建typedef:typedef returntype (*typedefname)(argtype1,argtype2,...,argtypeN); EX:

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

typedef void (*functype)();

void func1()
{
 //...
}

void func2()
{
 //..
}

//...


void func10()
{
//...
}

int main(int argc, char* argv[])
{
     functype array[] = 
     { 
         &func1, 
         &func2, 
         &func3, 
         &func4, 
         &func5,
         &func6, 
         &func7, 
         &func8, 
         &func9, 
         &func10
     };

     // Use the array...
     return 0;   
}

答案 3 :(得分:2)

任何时候你必须处理丑陋的函数指针语法,最好使用typedef。

#include <iostream>

void a(int i)
{
    std::cout<<"a: "<<i<<std::endl;
}

void b(int i)
{
    std::cout<<"b: "<<i<<std::endl;
}

typedef void (*fn)(int);

int main(int argc, char**argv)
{

    fn foo[2];


    foo[0] = a;
    foo[1] = b;


    for(size_t i = 0; i < sizeof(foo) / sizeof(foo[0]); ++i)
    {
        foo[i](i);
    }

    return 0;
}

答案 4 :(得分:1)

T (*array_of_functions[10])();

其中T是每个函数的返回类型(所有函数自然返回相同的类型)。如果你想存储指向具有不同数量/类型参数的函数的指针,事情变得棘手:

int foo(void) {...}
int bar(int x) {...}
int bletch(double y, double z) {...}
...
int (*array_of_functions[10])() = {foo, bar, bletch, ...};

如果是这样,你必须跟踪每个功能需要的参数的数量和类型,以便你可以正确地调用它。

我实际上对函数指针类型的typedef感兴趣;它们往往模糊不清。