首页 > 解决方案 > 从 C 代码调用 Cython 函数会引发分段错误

问题描述

我正在尝试在 C 程序中调用 cython (cdef) 函数。当 cdef 函数包含 python 语句,例如 print(0.5) 或 python (def) 函数时,调用 (cdef) 函数会引发分段错误。

.pyx 文件:

# cython: language_level=3

cdef public double PI = 3.1415926

cdef public double get_e():
    print("calling get_e()")
    return 2.718281828

.c 文件:

#include "Python.h"
#include "transcendentals.h"
#include <math.h>
#include <stdio.h>

int main(int argc, char **argv) {
  Py_Initialize();
  PyInit_transcendentals();
  printf("pi**e: %f\n", pow(PI, get_e()));
  Py_Finalize();
  return 0;
}

编译命令:

cython transcendentals.pyx

gcc -I. -I/usr/include/python3.5m -I/usr/include/python3.5m \
-Wno-unused-result -Wsign-compare \
-g -fstack-protector-strong -Wformat \
-Werror=format-security -DNDEBUG -g \
-fwrapv -O3 -Wall -Wstrict-prototypes \
-L/usr/lib/python3.5/config-3.5m-x86_64-linux-gnu \
-L/usr/lib transcendentals.c main.c \
-lpython3.5m -lpthread -ldl -lutil -lm -Xlinker \
-export-dynamic -Wl,-O1 -Wl,-Bsymbolic-functions

当我删除 get_e 函数的打印语句时,不会引发分段错误。但 PI 的值为 0。

标签: cpython-3.xcython

解决方案


我猜你正在使用 Cython 0.29。从 0.29开始,PEP-489多阶段模块初始化已为 Python 版本 >=3.5 启用。这意味着,PyInit_XXX正如您所体验的那样,使用已经不够了。

Cython 的文档建议使用inittab 机制,即您的main-function 应该类似于:

#include "Python.h"
#include "transcendentals.h"
#include <math.h>
#include <stdio.h>

int main(int argc, char **argv) {
  int status=PyImport_AppendInittab("transcendentals", PyInit_transcendentals);
  if(status==-1){
    return -1;//error
  } 
  Py_Initialize();
  PyObject *module = PyImport_ImportModule("transcendentals");

  if(module==NULL){
     Py_Finalize();
     return -1;//error
  }
  
  printf("pi**e: %f\n", pow(PI, get_e()));
  Py_Finalize();
  return 0;
}

恢复旧行为的另一种可能性是定义宏CYTHON_PEP489_MULTI_PHASE_INIT=0,从而覆盖默认值,例如-DCYTHON_PEP489_MULTI_PHASE_INIT=0在编译时在命令行上传递给 gcc。


推荐阅读