0

我正在使用couchdbkit构建一个小型 Flask 应用程序,并且我正在尝试编写一些 Python 模型,以便与 DB 交互更容易(而不是内联)。

到目前为止,这是我的代码:

基础.py

from couchdbkit import *
from api.config import settings


class WorkflowsCloudant(Server):

    def __init__(self):
        uri = "https://{public_key}:{private_key}@{db_uri}".format(
            public_key=settings.COUCH_PUBLIC_KEY,
            private_key=settings.COUCH_PRIVATE_KEY,
            db_uri=settings.COUCH_DB_BASE_URL
        )
        super(self.__class__, self).__init__(uri)


class Base(Document):

    def __init__(self):
        server = WorkflowsCloudant.get_db(settings.COUCH_DB_NAME)
        self.set_db(server)
        super(self.__class__, self).__init__()

工作流.py

from couchdbkit import *
from api.models.base import Base


class Workflow(Base):
    workflow = DictProperty()
    account_id = IntegerProperty()
    created_at = DateTimeProperty()
    updated_at = DateTimeProperty()
    deleted_at = DateTimeProperty()
    status = StringProperty()

控制器 初始化.py

from api.models import Workflow

blueprint = Blueprint('workflows', __name__, url_prefix='/<int:account_id>/workflows')

@blueprint.route('/<workflow_id>')
def get_single_workflow(account_id, workflow_id):
    doc = Workflow.get(workflow_id)

    if doc['account_id'] != account_id:
        return error_helpers.forbidden('Invalid account')

    return Response(json.dumps(doc), mimetype='application/json')

我不断收到的错误是:TypeError: doc database required to save document

我试图遵循此处的设置(http://couchdbkit.org/docs/gettingstarted.html),但将它们的内联指令外推到更多的动态上下文中。另外,我是Python新手,所以我为我的无知道歉

4

1 回答 1

1

如果您的模型(文档)未(正确)链接到数据库,则会发生此错误。这是通过 withset_db方法完成的。

另外我认为你应该改变你的模型:

from couchdbkit import Document
from couchdbkit import StringProperty, IntegerProperty
from couchdbkit import DateTimeProperty,  DictProperty

class Workflow(Document):
    workflow = DictProperty()
    account_id = IntegerProperty()
    created_at = DateTimeProperty()
    updated_at = DateTimeProperty()
    deleted_at = DateTimeProperty()
    status = StringProperty()

我将 Base 继承更改为 Document 类。也避免使用from some_module import *

当你有这样的模型集时,你可以像这样链接你的模型和 couchdb:

Workflow.set_db(server)

注意:代码未经测试。我是凭脑子写的,所以可能会有一些错误。

于 2015-03-04T13:05:20.710 回答