8

使用 PyObjC,是否可以导入 Python 模块、调用函数并将结果作为(例如)NSString 获取?

例如,执行以下 Python 代码的等效操作:

import mymodule
result = mymodule.mymethod()

..在伪ObjC中:

PyModule *mypymod = [PyImport module:@"mymodule"];
NSString *result = [[mypymod getattr:"mymethod"] call:@"mymethod"];
4

2 回答 2

12

正如 Alex Martelli 的回答中提到的(虽然邮件列表消息中的链接已损坏,但应该是https://docs.python.org/extending/embedding.html#pure-embedding).. C 调用方式。 .

print urllib.urlopen("http://google.com").read()
  • 将 Python.framework 添加到您的项目中(右键单击External Frameworks.., Add > Existing Frameworks. 中的框架/System/Library/Frameworks/
  • 添加/System/Library/Frameworks/Python.framework/Headers到您的“标题搜索路径”( Project > Edit Project Settings)

以下代码应该可以工作(尽管它可能不是有史以来最好的代码..)

#include <Python.h>

int main(){
    NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init];
    Py_Initialize();

    // import urllib
    PyObject *mymodule = PyImport_Import(PyString_FromString("urllib"));
    // thefunc = urllib.urlopen
    PyObject *thefunc = PyObject_GetAttrString(mymodule, "urlopen");

    // if callable(thefunc):
    if(thefunc && PyCallable_Check(thefunc)){
        // theargs = ()
        PyObject *theargs = PyTuple_New(1);

        // theargs[0] = "http://google.com"
        PyTuple_SetItem(theargs, 0, PyString_FromString("http://google.com"));

        // f = thefunc.__call__(*theargs)
        PyObject *f = PyObject_CallObject(thefunc, theargs);

        // read = f.read
        PyObject *read = PyObject_GetAttrString(f, "read");

        // result = read.__call__()
        PyObject *result = PyObject_CallObject(read, NULL);


        if(result != NULL){
            // print result
            printf("Result of call: %s", PyString_AsString(result));
        }
    }
    [pool release];
}

这个教程也不错

于 2009-04-26T15:45:38.290 回答
3

不完全是,AFAIK,但你可以用“C 方式”来做,例如http://lists.apple.com/archives/Cocoa-dev/2004/Jan/msg00598.html中的建议- 或“Pyobjc方式”,根据http://osdir.com/ml/python.pyobjc.devel/2005-06/msg00019.html(另请参阅该线程上的所有其他消息以获得进一步说明)。

于 2009-04-26T02:24:26.017 回答