5

我想动态调用 C 函数(例如形成标准库、数学......)。这意味着我的 C 程序只知道指向随机函数的指针(例如printf)及其签名(编码为 char 数组:char *,...)。

我的目标是一个 reflectCall 函数,它获取一个指向函数 ( &printf) 的指针、一个签名(以某种方式编码在 a 中char[]),以及作为 a 的参数long[]long不是实际的数据类型,一个 long 值也可以表示一个 double 值、指针、 ...)。

因此,我的反射函数的签名如下所示:

long reflectCall(void *funcPointer, char[] types, long[] args)

该函数应该执行函数的实际调用*funcPointer并最终返回其结果。

结果,我无法创建指针指针;例如像这样:

int (*functionPtr)(int,int);

谁能给我一个提示如何解决这个问题或建议任何参考实现?

4

4 回答 4

7

可以在纯 C 中完成,但不是那么简单,也不是那么快:

  1. 为您要调用的所有函数创建包装函数,例如:

    int WrapPrintf(const char* types,long* args,long* results)
    {
        // Function specific code, in this case you can call printf for each parameter
        while(*types)
        {
            switch(*types){
            case 'i':
                printf("%d",(int)*args);
                break;
            case 'c':
                printf("%c",(char)*args);
                break;
            // .. and so on
            }
    
            ++types;
            ++args;
        }
        // Return number of filled results
        return 0;
    }
    
    int WrapFoo(const char* types,long* args,long* results)
    {
        // ..function specific code..
        return 0;
    }
    
  2. 指向包装函数的指针:

    typedef int (*TWrapper)(const char*,long*,long*);
    
  3. 为包装函数创建表结构:

    struct STableItem{
        const char *strName;
        TWrapper pFunc;
    };
    
  4. 创建表:

    STableItem table[] = {
        {"printf", &WrapPrintf},
        {"foo", &WrapFoo},
        {NULL, NULL}
    };
    
  5. 创建接口以从表中调用任何函数(按名称搜索函数并调用它):

    int DynamicCall(const char *func_name,const char* types,long* args,long* results)
    {
        int k;
        for(k=0;table[k].strName != NULL;++k){
            if(strcmp(func_name,table[k].strName) == 0){
                return table[k].pFunc(types,args,results);
            }
        }
    
        return -1;
    }
    
  6. 最后打个电话:

    long args[] = {123,'b'};
    long results[8];            // not nice but just for an example
    
    int res_count = DynamicCall("printf","ic",(long*)args,(long*)results);
    

注意:使用散列函数更快地搜索名称

于 2013-03-15T07:54:31.380 回答
4

C 不提供执行此操作的设施。您必须在特定于平台的 ASM 中编写函数的主体。

于 2013-03-12T22:26:39.453 回答
3

我建议您查看 libffi,它是否符合您的需求......

http://sourceware.org/libffi/
http://en.wikipedia.org/wiki/Libffi

于 2013-03-13T01:25:27.963 回答
2

正如其他地方所解释的,没有办法真正动态地做到这一点。但是,如果您希望使用指针构建函数表,并使用某种字符串或索引来描述您想要做什么,那么这肯定是可能的,以一种可移植的方式。作为各种解析和其他“基于命令的运行代码等”的解决方案,这一点也不罕见。

但这确实需要您使用某种函数指针[或void *在某个时候将您的指针转换为一个]。没有其他(甚至几乎)可移植的方式在 C 中动态调用函数。

于 2013-03-12T22:58:36.980 回答