使用纯C函数指针调用C++的类成员函数

出发点:之前偶然碰见一个需要使用C代码调用C++的成员函数的场景,当时在google上没有找到解决方案,于是记录下了这个需求,今天看了GECKO的NPAPI代码,找到一种方式

原理:类的static成员是作为共享的方式被发布给外层的,所以不具有成员函数地址,所以它可以用来为我们转弯的调用类的成员函数提供一个机会。
在static成员函数中传递类本身的指针,就可以在内部调用这个指针的具体动作。

这解决了C的函数指针不能调用C++的类成员函数的困扰。


以下是一个实例:

#include <iostream>

class C;

struct test{
    
char (*a)(C *);
};

class C{
public:
    
static char xxx(C *com_on){
       
return com_on->_xxx();
    }
    
char _xxx(){
        std::cout
<<"hei!       _xxx called"<<std::endl;
        
return 'a';
    }
};

int main(){
    test x;
    C hei;
    x.a 
= hei.xxx;
    x.a(
&hei);
    
return 0;
}


第二种是使用友元函数,具体原理看待吗也就明白了,上面的代码忘记改成void*类型的,我想您能看得懂,如果不明白,下面这个应该足以说清楚

#include <iostream>

class C;

struct test{
    
char (*a)(void *);
};
char xxx(void*);

class C{
public:
    friend 
char xxx(void *com_on);
    
char _xxx(){
        std::cout
<<"hei!       _xxx called"<<std::endl;
        
return 'a';
    }
};
char xxx(void  *com_on){
    
return ((C*)com_on)->_xxx();
}
int main(){
    test x;
    C hei;
    x.a 
= xxx;
    x.a(
&hei);
    
return 0;
}
  


何清龙 2011-09-09 17:01 发表评论

你可能感兴趣的:(函数指针,函数)