使用自定义 C 库中的函数
我们有一个名为 my_random
的 C 库,它从自定义分发中生成随机数。它提供了我们想要使用的两个功能:set_seed(long seed)
和 rand()
(还有更多我们不需要的功能)。为了在 Cython 中使用它们我们需要
- 在 .pxd 文件中定义一个接口
- 在 .pyx 文件中调用该函数。
码
test_extern.pxd
# extern blocks define interfaces for Cython to C code
cdef extern from "my_random.h":
double rand()
void c_set_seed "set_seed" (long seed) # rename C version of set_seed to c_set_seed to avoid naming conflict
test_extern.pyx
def set_seed (long seed):
"""Pass the seed on to the c version of set_seed in my_random."""
c_set_seed(seed)
cpdef get_successes (int x, double threshold):
"""Create a list with x results of rand <= threshold
Use the custom rand function from my_random.
"""
cdef:
list successes = []
int i
for i in range(x):
if rand() <= threshold:
successes.append(True)
else:
successes.append(False)
return successes