我知道可以使用objc_msgSend来使用Objective C代码,我相信,手动运行Objective C运行时但是当我运行这段代码时,我得到引用NSString的错误(即使我从不使用它)以及其他联合国 - 使用过的课程。
来自xcode的错误
我上面的目标C代码(注释掉)我试图'模仿'。
#include <Foundation/Foundation.h> /*Added suggestion by answer, same errors*/
#include <AppKit/AppKit.h>
int main()
{
// convert objective c into c code
/*
NSAlert *alert = [[NSAlert alloc] init];
[alert setAlertStyle:NSInformationalAlertStyle];
[alert setMessageText:@"Hello World"];
[alert setInformativeText:@"Hello World"];
[alert runModal];
*/
id alert = objc_msgSend(objc_msgSend(objc_getClass("NSAlert"), sel_registerName("alloc")), sel_registerName("init"));
objc_msgSend(alert, sel_getUid("setAlertStyle:"), NSInformationalAlertStyle);
objc_msgSend(alert, sel_getUid("setMessageText:"), CFSTR("Hello World!"));
objc_msgSend(alert, sel_getUid("setInformativeText:"), CFSTR("Hello World!"));
objc_msgSend(alert, sel_getUid("runModal"));
}
答案 0 :(得分:5)
您缺少一些导入。
objc_msgSend
在<objc/message.h>
中声明。
objc_getClass
在<objc/runtime.h>
中声明。
sel_getUid
和sel_registerName
在<objc/objc.h>
中声明。
现在,鉴于<objc/objc.h>
已导入<objc/runtime.h>
,导入后者以及<objc/message.h
&gt;应该就够了。
我使用以下示例测试了它,它按预期工作
#include <CoreFoundation/CoreFoundation.h> // Needed for CFSTR
#include <objc/runtime.h>
#include <objc/message.h>
int main(int argc, char *argv[]) {
id alert = (id (*)(id, SEL))objc_msgSend((id (*)(id, SEL))objc_msgSend(objc_getClass("NSAlert"), sel_registerName("alloc")), sel_registerName("init"));
(void (*)(id, SEL, int))objc_msgSend(alert, sel_getUid("setAlertStyle:"), 1); // NSInformationalAlertStyle is defined in AppKit, so let's just use 1
(void (*)(id, SEL, id))objc_msgSend(alert, sel_getUid("setMessageText:"), CFSTR("Hello World!"));
(void (*)(id, SEL, id))objc_msgSend(alert, sel_getUid("setInformativeText:"), CFSTR("Hello World!"));
(int (*)(id, SEL))objc_msgSend(alert, sel_getUid("runModal"));
}
我按照Greg Parker在评论中的建议将显式演员添加到objc_msgSend
。