Using Alembic API from inside application code

前端 未结 8 745
夕颜
夕颜 2020-12-08 04:06

I am using SQLite as an application file format (see here for why you would want to do this) for my PySide-based desktop application. That is, when a user uses my app, their

相关标签:
8条回答
  • 2020-12-08 04:47

    Here's what I've learned after hooking up my software to alembic:

    Is there a way to call alembic from inside my Python code?

    Yes. As of this writing the main entry point for alembic is alembic.config.main, so you can import it and call it yourself, for example:

    import alembic.config
    alembicArgs = [
        '--raiseerr',
        'upgrade', 'head',
    ]
    alembic.config.main(argv=alembicArgs)
    

    Note that alembic looks for migrations in the current directory (i.e., os.getcwd()). I've handled this by using os.chdir(migration_directory) before calling alembic, but there may be a better solution.


    Can I specify a new database location from the command line without editing the .ini file?

    Yes. The key lies in the -x command line argument. From alembic -h (surprisingly, I wasn't able to find a command line argument reference in the docs):

    optional arguments:
     -x X                  Additional arguments consumed by custom env.py
                           scripts, e.g. -x setting1=somesetting -x
                           setting2=somesetting
    

    So you can create your own parameter, e.g. dbPath, and then intercept it in env.py:

    alembic -x dbPath=/path/to/sqlite.db upgrade head

    then for example in env.py:

    def run_migrations_online():   
        # get the alembic section of the config file
        ini_section = config.get_section(config.config_ini_section)
    
        # if a database path was provided, override the one in alembic.ini
        db_path = context.get_x_argument(as_dictionary=True).get('dbPath')
        if db_path:
            ini_section['sqlalchemy.url'] = db_path
    
        # establish a connectable object as normal
        connectable = engine_from_config(
            ini_section,
            prefix='sqlalchemy.',
            poolclass=pool.NullPool)
    
        # etc
    

    Of course, you can supply the -x parameter using argv in alembic.config.main, too.

    I agree with @davidism about using migrations vs metadata.create_all() :)

    0 讨论(0)
  • 2020-12-08 04:49

    Not really an answer, but i had a hardtime with that, so I wanted to share:

    How to pass an x_argument programatically with alembic.command.upgrade:

    class CmdOpts:
        x = {"data=true"}
    
    

    here data=true is what i pass as x_argument in command line

        alembic_config = AlembicConfig(ini_location)
        setattr(alembic_config, "cmd_opts", CmdOpts())
        alembic_config.cmd_opts.x = {"data": True}
    
    
    0 讨论(0)
  • 2020-12-08 04:52

    This is a very broad question, and actually implementing your idea will be up to you, but it is possible.

    You can call Alembic from your Python code without using the commands, since it's implemented in Python too! You just need to recreate what the commands are doing behind the scenes.

    Admittedly, the docs aren't in very good shape since these are still relatively early releases of the library, but with a little digging you will find the following:

    1. Create a Config
    2. Use the Config to create a ScriptDirectory
    3. Use the Config and the ScriptDirectory to create an EnvironmentContext
    4. Use the EnvironmentContext to create a MigrationContext
    5. Most commands use some combination of methods from Config and MigrationContext

    I've written an extension to provide this programmatic Alembic access to a Flask-SQLAlchemy database. The implementation is tied to Flask and Flask-SQLAlchemy, but it should be a good place to start. See Flask-Alembic here.

    Regarding your last point about how to create new databases, you can either use Alembic to create the tables, or you can use metadata.create_all() then alembic stamp head (or equivalent python code). I recommend always using the migration path to create the tables, and ignoring the raw metadata.create_all().

    I don't have any experience with cx_freeze, but it should be fine as long as the migrations are included in the distribution and the path to that directory in the code is correct.

    0 讨论(0)
  • 2020-12-08 04:56

    I'm not using Flask so I couldn't make use of the Flask-Alembic library that was already recommended. Instead after quite a bit of tinkering I coded up the following short function to run all of the applicable migrations. I keep all of my alembic-related files under a submodule (folder) called migrations. I actually keep the alembic.ini together with the env.py, which is perhaps a little bit unorthodox. Here's a snippet from my alembic.ini file to adjust for that:

    [alembic]
    script_location = .
    

    Then I added the following file in the same directory and named it run.py. But wherever you keep your scripts, all you'd need to do is modify the code below to point to the correct paths:

    from alembic.command import upgrade
    from alembic.config import Config
    import os
    
    
    def run_sql_migrations():
        # retrieves the directory that *this* file is in
        migrations_dir = os.path.dirname(os.path.realpath(__file__))
        # this assumes the alembic.ini is also contained in this same directory
        config_file = os.path.join(migrations_dir, "alembic.ini")
    
        config = Config(file_=config_file)
        config.set_main_option("script_location", migrations_dir)
    
        # upgrade the database to the latest revision
        upgrade(config, "head")
    

    Then with that run.py file in place, it allows me to do this in my main code:

    from mymodule.migrations.run import run_sql_migrations
    
    
    run_sql_migrations()
    
    0 讨论(0)
  • 2020-12-08 05:00

    Here is a purely programmical example of howto configure and call alembic commands programmatically.

    The directory setup (for easier code reading)

    .                         # root dir
    |- alembic/               # directory with migrations
    |- tests/diy_alembic.py   # example script
    |- alembic.ini            # ini file
    

    And here is diy_alembic.py

    import os
    import argparse
    from alembic.config import Config
    from alembic import command
    import inspect
    
    def alembic_set_stamp_head(user_parameter):
        # set the paths values
        this_file_directory = os.path.dirname(os.path.abspath(inspect.stack()[0][1]))
        root_directory      = os.path.join(this_file_directory, '..')
        alembic_directory   = os.path.join(root_directory, 'alembic')
        ini_path            = os.path.join(root_directory, 'alembic.ini')
    
        # create Alembic config and feed it with paths
        config = Config(ini_path)
        config.set_main_option('script_location', alembic_directory)    
        config.cmd_opts = argparse.Namespace()   # arguments stub
    
        # If it is required to pass -x parameters to alembic
        x_arg = 'user_parameter=' + user_parameter
        if not hasattr(config.cmd_opts, 'x'):
            if x_arg is not None:
                setattr(config.cmd_opts, 'x', [])
                if isinstance(x_arg, list) or isinstance(x_arg, tuple):
                    for x in x_arg:
                        config.cmd_opts.x.append(x)
                else:
                    config.cmd_opts.x.append(x_arg)
            else:
                setattr(config.cmd_opts, 'x', None)
    
        #prepare and run the command
        revision = 'head'
        sql = False
        tag = None
        command.stamp(config, revision, sql=sql, tag=tag)
    
        #upgrade command
        command.upgrade(config, revision, sql=sql, tag=tag)
    

    The code is more or less a cut from this Flask-Alembic file. It is a good place to look at other commands usage and details.

    Why this solution? - It was written in a need of creating an alembic stamps, upgrades and downgrades when running automated tests.

    • os.chdir(migration_directory) interfered with some tests.
    • We wanted to have ONE source of database creation and manipulation. "If we crate and manage databases with alembic, alembic but not metadata.create_all() shell be used for tests too".
    • Even if the code above is longer than 4 lines, alembic showed itself as a good controllable beast if driven this way.
    0 讨论(0)
  • 2020-12-08 05:06

    For anyone else trying to achieve a flyway-esque result with SQLAlchemy, this worked for me:

    Add migration.py to your project:

    from flask_alembic import Alembic
    
    def migrate(app):
        alembic = Alembic()
        alembic.init_app(app)
        with app.app_context():
            alembic.upgrade()
    

    Call it on application startup after your db has been initialized

    application = Flask(__name__)
    db = SQLAlchemy()
    db.init_app(application)
    migration.migrate(application)
    

    Then you just need to do the rest of the standard alembic steps:

    Initialize your project as alembic

    alembic init alembic
    

    Update env.py:

    from models import MyModel
    target_metadata = [MyModel.Base.metadata]
    

    Update alembic.ini

    sqlalchemy.url = postgresql://postgres:postgres@localhost:5432/my_db
    

    Assuming your SQLAlchemy models are already defined, you can autogenerate your scripts now:

    alembic revision --autogenerate -m "descriptive migration message"
    

    If you get an error about not being able to import your model in env.py, you can run the following in your terminal fo fix

    export PYTHONPATH=/path/to/your/project
    

    Lastly, my migration scripts were getting generated in the alembic/versions directory, and I had to copy them to the migrations directory for alembic to pick them up.

    ├── alembic
    │   ├── env.py
    │   ├── README
    │   ├── script.py.mako
    │   └── versions
    │       ├── a5402f383da8_01_init.py  # generated here...
    │       └── __pycache__
    ├── alembic.ini
    ├── migrations
    │   ├── a5402f383da8_01_init.py  # manually copied here
    │   └── script.py.mako
    

    I probably have something misconfigured, but it is working now.

    0 讨论(0)
提交回复
热议问题