'python - Flask-sqlalchemy: sqlalchemy.exc.InvalidRequestError

I'm building a backend for my iOS app and I choose to use Flask framework.

For the database part, I use flask-sqlalchemy to connect my mysql database.

When I put all my test code in a single file, everything works fine.

test.py

from flask import Flask
from flask.ext.sqlalchemy import SQLAlchemy

app = Flask(__name__)
app.config['SQLALCHEMY_DATABASE_URI'] = "mysql://root:pwd@localhost/test"
db = SQLAlchemy(app)


class player(db.Model):
    id = db.Column(db.Integer, primary_key=True)
    username = db.Column(db.String(80), unique=True)
    email = db.Column(db.String(120), unique=True)

    def __init__(self, username, email):
        self.username = username
        self.email = email

    def __repr__(self):
        return '<User %r>' % self.username

db.create_all()

However, when I split the code into different files in order to make the whole project structured, I got an error.

Here's my file structure:

.
├── config.py
├── app.py
├── app
    ├── __init__.py
    ├── api.py
    └── models.py
└── venv

config.py

SQLALCHEMY_DATABASE_URI = "mysql://root:pwd@localhost/test"

app.py

from app import app

if __name__ == '__main__':
    app.run(debug=True)

__init.py__

from flask import Flask
from flask_sqlalchemy import SQLAlchemy

import config

app = Flask(__name__)
app.config.from_object("config")
db = SQLAlchemy(app)

import models
db.create_all()

models.py

from app import db

class player(db.Model):
    id = db.Column(db.Integer, primary_key=True)
    username = db.Column(db.String(80), unique=True)
    email = db.Column(db.String(120), unique=True)

    def __init__(self, username, email):
        self.username = username
        self.email = email

    def __repr__(self):
        return '<User %r>' % self.username

When I ran __init__.py to create all the tables in models.py, I got error

sqlalchemy.exc.InvalidRequestError: Table 'player' is already defined for this MetaData instance. Specify 'extend_existing=True' to redefine options and columns on an existing Table object.

And when I check the database, I found that table player is created.

It seems that sqlalchemy is trying to create the tables repeatedly.

Why is that?



Solution 1:[1]

try

from app import models

instead of

import models

you are creating a circular import. See this link for more about circular imports

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 Community