4

底部是两个文件,一个应该执行的超最小 python 文件和一个 cython 文件。如果您将它们保存为文件名 cython 一个“cycode.pyx”,它会在您执行另一个文件(例如“start.py”)后自动编译和运行

问题

如果您执行纯 python 文件 /.start.py,您将收到来自 Cython 的属性错误。

异常 AttributeError:“'cycode.Item' 对象在 'cycode.insertItem' 中没有属性 'export'”

根据我的经验,这意味着 Python 函数或对象试图访问未声明为 public(或 cpdef、readonly、def 等)的 cython 代码。但我从来没有打算从 Python 访问这个函数。据我所知,这不应该发生。cython 和 python 之间应该有一个干净的分离。Python 只获取一个包含简单 dicts 的列表。

问题是为什么会这样?我的目标不仅仅是让它工作,这可以通过一个简单的 cpdef 来完成。但是要了解为什么会发生这种情况,以及最终如何以一种干净且受控的方式将数据从 cython 发送到 python,而无需为 python 领域声明任何 cython 对象。

开始.py

    #! /usr/bin/env python3
    # -*- coding: utf-8 -*-
    import pyximport; pyximport.install()
    import cycode
    #Register a callback function with the cython module.
    #In this case just attempt to print the data.
    cycode.callbacksDatabase.update.append(print)


    #Call an insert function to create and insert a cython object.
    #We should have nothing to do with this object,
    #we just receive a simple list of dict(s) via the callback.
    cycode.new1() 

cycode.pyx

# cython: language_level=3
cdef class Block:
    """A container class for Items"""
    cdef list content
    cdef void insert(self, Item item)
    cdef list export(self)    

    def __cinit__(self):                
        self.content = []

    cdef void insert(self, Item item):        
        self.content.append(item)           

    cdef list export(self):
        """The frontend should just receive simple data types to
        vizualize them. Create export dicts of all items"""
        cdef list result        
        result = []
        for item in self.content:            
            result.append(item.export())  #THIS is the problem. item.export() cannot be found.
        return result        

cdef class Item:
    cdef int value
    cdef dict export(self)
    def __cinit__(self, int value):
        self.value = value

    cdef dict export(self):        
        return {
            "id" : id(self),
            "value" : self.value,
        }

########API#############
class Callbacks():    
    def __init__(self):
        self.update = []        

    def _update(self):
        ex = block.export()
        for func in self.update:            
            func(ex)

cdef void insertItem(int value):        
    cdef Item item
    item = Item(value)  #this should create a cython object, not a python one.
    block.insert(item)            
    callbacksDatabase._update()        

def new1():    
    insertItem(1)

#######Actual Data on module level#######
cdef Block block
block = Block() #this is just for the cython code. No direct access from python allowed.
callbacksDatabase = Callbacks()  #this should be accesable from python
4

1 回答 1

2

典型的 IRC 效果......一旦你详细解决了这个问题,几分钟后就会出现解决方案(不过这次是通过 facebook 聊天......)。

我忘记了在 Python/Cython 中,for 循环不会自动创建新范围,并且循环变量没有什么特别之处。它也需要声明为 cdef。

    cdef Item item
    for item in self.content:            
        result.append(item.export())
于 2014-01-15T23:22:24.697 回答