我有以下情况,有两个接口:
interface ILLShapeAttribute
{
virtual void DefineAttribute(const char* pszAttributeName, VARIANT* pvAttributeData) = 0;
};
interface ILLShapeNotification
{
virtual bool IsUsed(const RECT& rcBounds) = 0;
virtual void DefineAttribute(const char* pszAttributeName, VARIANT* pvAttributeData) = 0;
}
和2个功能:
INT LlShapeGetAttributeList(LPCWSTR pwszShapefileName, ILLShapeAttribute* pIAttrInfo);
INT LlShapeEnumShapes(LPCWSTR pwszShapefileName, ILLShapeNotification* pIInfo);
在这两个函数中,我想调用相同的函数IterateRecords2
,它应该获得指向函数DefineAttribute的指针,例如, ILLShapeAttribute::DefineAttribute
和ILLShapeNotification::DefineAttribute
我这样定义:
void IterateRecords2(ifstream& file, void (*pDefineAttribute)(const char*, VARIANT*))
{
pDefineAttribute(NULL, NULL); //will be called with real values
}
到目前为止,代码编译并且everythig很好。但后来我尝试将IterateRecords2
称为
IterateRecords2(file, pIAttrInfo->DefineAttribute);
或
IterateRecords2(file, pIInfo->DefineAttribute);
我收到编译错误:
error C3867: 'ILLShapeAttribute::DefineAttribute': function call missing argument list; use '&ILLShapeAttribute::DefineAttribute' to create a pointer to member
请:我知道,ILLShapeNotification可以从ILLShapeAttribute继承,然后传递* ILLShapeAttribute而不是函数指针,但我想了解它是如何工作的。
问题:如何将指针传递给DefineAttribute
到IterateRecords2
?
答案 0 :(得分:2)
问题:如何将指针传递给
DefineAttribute
到IterateRecords2
?
你不能。
指向成员函数的指针与指向函数的指针不兼容,即使它是,你需要一个对象来调用它,你不能只调用没有对象的成员函数。
有些选择是:
1)获取指向成员函数的指针并传递一个对象。
这将解决您的编译器错误,但是为了能够传递与继承无关的不同类型的对象,您需要IterateRecords2
作为模板:
template<typename T>
void IterateRecords2(ifstream& file, T* obj, void (T::*pDefineAttribute)(const char*, VARIANT*))
{
obj->pDefineAttribute(NULL, NULL);
}
现在您可以像这样使用它:
IterateRecords2(file, pIAttrInfo, &ILLShapeAttribute::DefineAttribute);
或:
IterateRecords2(file, pIInfo, &ILLShapeNotification::DefineAttribute);
2)将对象及其成员函数绑定到可调用类型,然后传递:
void IterateRecords2(ifstream& file, std::function<void(const char*, VARIANT*)> DefineAttribute)
{
DefineAttribute(NULL, NULL);
}
然后称之为:
IterateRecords2(file, std::bind(&ILLShapeAttribute::DefineAttribute, pIAttrInfo));
如果您无法使用std::function
和std::bind
,则可以将其替换为boost::function
和boost::bind