我正在编写一个使用 C 库的 Objective-C 应用程序。我目前面临的问题是 C 库有一个结构,其中一些字段是后来用作回调的函数指针。如何将 Objective-C 实例方法转换为函数指针并将其传递给库?
问问题
3272 次
1 回答
20
您需要在 Objective-C 类实现文件中提供 C 回调函数,并且这仅在回调能够使用某种上下文指针时才有效。
所以想象一下 C 回调签名是这样的:
void myCallback(void *context, int someOtherInfo);
然后在 Objective-C 类实现文件中,您需要使用该回调跳回到您的 Objective-C 类(使用上下文指针作为要调用的类的实例):
// Forward declaration of C callback function
static void theCallbackFunction(void *context, int someOtherInfo);
// Private Methods
@interface MyClass ()
- (void)_callbackWithInfo:(int)someOtherInfo;
@end
@implementation MyClass
- (void)methodToSetupCallback
{
// Call function to set the callback function, passing it a "context"
setCallbackFunction(theCallbackFunction, self);
...
}
- (void)_callbackWithInfo:(int)someOtherInfo
{
NSLog(@"Some info: %d", someOtherInfo);
}
@end
static void theCallbackFunction(void *context, int someOtherInfo)
{
MyClass *object = (MyClass *)context;
[object _callbackWithInfo:someOtherInfo];
}
如果您的 C 回调函数不接受某种上下文信息,则:
- 它坏了,应该修复/报告为错误。
- 您将需要依赖在全局、静态、范围内存储指向自身的指针,以供 C 回调函数使用。这会将 的实例数限制
MyClass
为一个!
于 2013-03-01T12:34:42.037 回答