5

我决定使用 Flask、postgresql 和传单编写一个小型 webapp。我想使用PostGIS扩展器为 postgresql 存储坐标(纬度和经度)。我的烧瓶应用程序使用 Flask-SQLAlchemy、蓝图,尤其是 Flask-Migrate 进行数据库迁移过程。

这是我的数据库模型的摘录:

from . import db
from geoalchemy2 import Geometry


class Station(db.Model):
    __tablename__ = 'stations'

    id = db.Column(db.Integer, primary_key=True, unique=True)
    name = db.Column(db.String(255))
    position = db.Column(Geometry('Point', srid=4326))

这是我的 app/ init .py的摘录

import os
from flask import Flask
from flask_sqlalchemy import SQLAlchemy
from flask_migrate import Migrate
from config import config

db = SQLAlchemy()
migrate = Migrate()

def create_app(config_name=None, main=True):

if config_name is None:
    config_name = os.environ.get('FLASK_CONFIG', 'development')

app = Flask(__name__)
app.config.from_object(config[config_name])

db.init_app(app)
migrate.init_app(app, db)

from .home import home as home_blueprint
app.register_blueprint(home_blueprint)

from .admin import admin as admin_blueprint
app.register_blueprint(admin_blueprint, url_prefix='/admin')

return app

在尝试使用特定的扩展器之前,我没有任何问题来调整我的模型。从那时起,迁移工作正常,但升级不起作用(python manage.py db upgrade)。

这是我从网络服务器获得的日志:

sa.Column('position', geoalchemy2.types.Geometry(geometry_type='POINT', srid=4326), nullable=True),
`enter code here`NameError: name 'geoalchemy2' is not defined

我有点迷茫,在这个特定主题上我没有找到太多帮助。关于可能导致此问题的任何想法?

4

2 回答 2

7

Alembic 不会尝试确定和呈现迁移脚本中自定义类型的所有导入。编辑生成的脚本以包含from geoalchemy2.types import Geometry并将列 def 更改为仅使用Geometry.

在运行它们之前,您应该始终查看自动生成的脚本。脚本中甚至有评论这样说。

于 2016-08-29T21:14:03.250 回答
0

另一种不需要手动编辑修订的方法是添加import geoalchemy2alembic/script.py.mako然后 alembic 每次添加模块。

"""${message}
  
Revision ID: ${up_revision}
Revises: ${down_revision | comma,n}
Create Date: ${create_date}

"""
from alembic import op
import sqlalchemy as sa
import geoalchemy2 # <--- right here
${imports if imports else ""}

# revision identifiers, used by Alembic.
revision = ${repr(up_revision)}
down_revision = ${repr(down_revision)}
branch_labels = ${repr(branch_labels)}
depends_on = ${repr(depends_on)}


def upgrade():
    ${upgrades if upgrades else "pass"}


def downgrade():
    ${downgrades if downgrades else "pass"}
于 2022-01-04T03:34:06.637 回答