これは、Pythonをマシンコードにコンパイルしません。ただし、Pythonコードを呼び出すための共有ライブラリを作成できます。
あなたが探しているものがexecpのものに依存せずにCからPythonコードを実行する簡単な方法である場合。Python埋め込みAPIへの数回の呼び出しでラップされたPythonコードから共有ライブラリを生成できます。アプリケーションは共有ライブラリです。他の多くのライブラリ/アプリケーションで使用できるように.soです。
以下は、Cプログラムとリンクできる共有ライブラリを作成する簡単な例です。共有ライブラリはPythonコードを実行します。
実行されるpythonファイルはpythoncalledfromc.py
次のとおりです。
# -*- encoding:utf-8 -*-
# this file must be named "pythoncalledfrom.py"
def main(string): # args must a string
print "python is called from c"
print "string sent by «c» code is:"
print string
print "end of «c» code input"
return 0xc0c4 # return something
で試すことができpython2 -c "import pythoncalledfromc; pythoncalledfromc.main('HELLO')
ます。それは出力します:
python is called from c
string sent by «c» code is:
HELLO
end of «c» code input
共有ライブラリは次のように定義されますcallpython.h
。
#ifndef CALL_PYTHON
#define CALL_PYTHON
void callpython_init(void);
int callpython(char ** arguments);
void callpython_finalize(void);
#endif
関連callpython.c
は次のとおりです。
// gcc `python2.7-config --ldflags` `python2.7-config --cflags` callpython.c -lpython2.7 -shared -fPIC -o callpython.so
#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include <python2.7/Python.h>
#include "callpython.h"
#define PYTHON_EXEC_STRING_LENGTH 52
#define PYTHON_EXEC_STRING "import pythoncalledfromc; pythoncalledfromc.main(\"%s\")"
void callpython_init(void) {
Py_Initialize();
}
int callpython(char ** arguments) {
int arguments_string_size = (int) strlen(*arguments);
char * python_script_to_execute = malloc(arguments_string_size + PYTHON_EXEC_STRING_LENGTH);
PyObject *__main__, *locals;
PyObject * result = NULL;
if (python_script_to_execute == NULL)
return -1;
__main__ = PyImport_AddModule("__main__");
if (__main__ == NULL)
return -1;
locals = PyModule_GetDict(__main__);
sprintf(python_script_to_execute, PYTHON_EXEC_STRING, *arguments);
result = PyRun_String(python_script_to_execute, Py_file_input, locals, locals);
if(result == NULL)
return -1;
return 0;
}
void callpython_finalize(void) {
Py_Finalize();
}
次のコマンドでコンパイルできます。
gcc `python2.7-config --ldflags` `python2.7-config --cflags` callpython.c -lpython2.7 -shared -fPIC -o callpython.so
callpythonfromc.c
以下を含むという名前のファイルを作成します。
#include "callpython.h"
int main(void) {
char * example = "HELLO";
callpython_init();
callpython(&example);
callpython_finalize();
return 0;
}
コンパイルして実行します。
gcc callpythonfromc.c callpython.so -o callpythonfromc
PYTHONPATH=`pwd` LD_LIBRARY_PATH=`pwd` ./callpythonfromc
これは非常に基本的な例です。機能することはできますが、ライブラリによっては、Cデータ構造をPythonにシリアル化したり、PythonからCにシリアル化したりするのが難しい場合があります。
Nuitkaが役立つかもしれません。
また、numbaもありますが、どちらもあなたが望むことを正確に行うことを目的としていません。PythonコードからCヘッダーを生成することは可能ですが、PythonタイプをCタイプに変換する方法を指定するか、その情報を推測できる場合に限ります。Python astアナライザーについては、python astroidを参照してください。