All Projects → Boostport → Migration

Boostport / Migration

Licence: apache-2.0
Simple and pragmatic migrations for Go applications.

Programming Languages

go
31211 projects - #10 most used programming language
golang
3204 projects

Projects that are alternatives of or similar to Migration

Postgres Migrations
🐦 A Stack Overflow-inspired PostgreSQL migration library with strict ordering and immutable migrations
Stars: ✭ 161 (+143.94%)
Mutual labels:  migrations, database
Etlalchemy
Extract, Transform, Load: Any SQL Database in 4 lines of Code.
Stars: ✭ 460 (+596.97%)
Mutual labels:  migrations, database
Laravel Migrate Fresh
An artisan command to build up a database from scratch
Stars: ✭ 179 (+171.21%)
Mutual labels:  migrations, database
Lol dba
lol_dba is a small package of rake tasks that scan your application models and displays a list of columns that probably should be indexed. Also, it can generate .sql migration scripts.
Stars: ✭ 1,363 (+1965.15%)
Mutual labels:  migrations, database
Node Sqlite
SQLite client for Node.js applications with SQL-based migrations API written in Typescript
Stars: ✭ 642 (+872.73%)
Mutual labels:  migrations, database
Express Typescript Boilerplate
A delightful way to building a RESTful API with NodeJs & TypeScript by @w3tecch
Stars: ✭ 2,293 (+3374.24%)
Mutual labels:  migrations, database
Django Migration Linter
🚀 Detect backward incompatible migrations for your django project
Stars: ✭ 231 (+250%)
Mutual labels:  migrations, database
Flask Migrate
SQLAlchemy database migrations for Flask applications using Alembic
Stars: ✭ 1,971 (+2886.36%)
Mutual labels:  migrations, database
Ragtime
Database-independent migration library
Stars: ✭ 519 (+686.36%)
Mutual labels:  migrations, database
Zero downtime migrations
Zero downtime migrations with ActiveRecord 3+ and PostgreSQL
Stars: ✭ 513 (+677.27%)
Mutual labels:  migrations, database
Goose
A database migration tool. Supports SQL migrations and Go functions.
Stars: ✭ 2,112 (+3100%)
Mutual labels:  database, migrations
Doctrinemigrations
[DEPRECATED] Use Phinx instead
Stars: ✭ 24 (-63.64%)
Mutual labels:  migrations, database
Migrate
Database migrations. CLI and Golang library.
Stars: ✭ 2,315 (+3407.58%)
Mutual labels:  migrations, database
Migrate Mongo
A database migration tool for MongoDB in Node
Stars: ✭ 481 (+628.79%)
Mutual labels:  migrations, database
Migrate
Database migrations. CLI and Golang library.
Stars: ✭ 7,712 (+11584.85%)
Mutual labels:  migrations, database
Node Pg Migrate
Node.js database migration management for Postgresql
Stars: ✭ 838 (+1169.7%)
Mutual labels:  migrations, database
Laravel Cadillac
🍺 A database tool for laravel.
Stars: ✭ 63 (-4.55%)
Mutual labels:  database
Learned Indexes
Implementation of BTree part for paper 'The Case for Learned Index Structures'
Stars: ✭ 64 (-3.03%)
Mutual labels:  database
Blazor.indexeddb.framework
A framework for blazor which acts as an interface to IndexedDB
Stars: ✭ 62 (-6.06%)
Mutual labels:  database
Rpg Boilerplate
Relay (React), Postgres, and Graphile (GraphQL): A Modern Frontend and API Boilerplate
Stars: ✭ 62 (-6.06%)
Mutual labels:  migrations

Migration

GoDoc Tests Status Test Coverage

Simple and pragmatic migrations for Go applications.

Features

  • Super simple driver interface to allow easy implementation for more database/migration drivers.
  • Embeddable migration files.
  • Support for up/down migrations.
  • Atomic migrations (where possible, depending on database support).
  • Support for using Go code as migrations

Drivers

  • Apache Phoenix
  • Golang (runs generic go functions)
  • MySQL
  • PostgreSQL
  • SQLite

Quickstart

// Create migration source
//go:embed migrations
var embedFS embed.FS

embedSource := &migration.EmbedMigrationSource{
	EmbedFS: embedFS,
	Dir:     "migrations",
}

// Create driver
driver, err := mysql.New("root:@tcp(localhost)/mydatabase?multiStatements=true")

// Run all up migrations
applied, err := migration.Migrate(driver, embedSource, migration.Up, 0)

// Remove the last 2 migrations
applied, err := migration.Migrate(driver, embedSource, migration.Down, 2)

Writing migrations

Migrations are extremely simple to write:

  • Separate your up and down migrations into different files. For example, 1_init.up.sql and 1_init.down.sql.
  • Prefix your migration with a number or timestamp for versioning: 1_init.up.sql or 1475813115_init.up.sql.
  • The file-extension can be anything you want, but must be present. For example, 1_init.up.sql is valid, but 1_init.up is not,
  • Note: Underscores (_) must be used to separate the number and description in the filename.

Let's say we want to write our first migration to initialize the database.

In that case, we would have a file called 1_init.up.sql containing SQL statements for the up migration:

CREATE TABLE test_data (
  id BIGINT NOT NULL PRIMARY KEY,
)

We also create a 1_init.down.sql file containing SQL statements for the down migration:

DROP TABLE IF EXISTS test_data

By default, migrations are run within a transaction. If you do not want a migration to run within a transaction, start the migration file with -- +migration NoTransaction:

-- +migration NoTransaction

CREATE TABLE test_data1 (
  id BIGINT NOT NULL PRIMARY KEY,
)

CREATE TABLE test_data2 (
  id BIGINT NOT NULL PRIMARY KEY,
)

If you would like to create stored procedures, triggers or complex statements that contain semicolns, use BeginStatement and EndStatement to delineate them:

CREATE TABLE test_data1 (
  id BIGINT NOT NULL PRIMARY KEY,
)

CREATE TABLE test_data2 (
  id BIGINT NOT NULL PRIMARY KEY,
)

-- +migration BeginStatement
CREATE TRIGGER`test_trigger_1`BEFORE UPDATE ON`test_data1`FOR EACH ROW BEGIN
		INSERT INTO test_data2
		SET id = OLD.id;
END
-- +migration EndStatement

Embedding migration files

Using go:embed (Recommended for Go 1.16+)

This is the recommended method for embedding migration files if you are using Go 1.16+. The go:embed Go's built-in method to embed files into the built binary and does not require any external tools.

Assuming your migration files are in migrations/, initialize a EmbededSource:

//go:embed migrations
var embedFS embed.FS

assetMigration := &migration.EmbedSource{
    EmbedFS: embedFS,
    Dir:     "migrations",
}

Using pkger

Assuming your migration files are in Assuming your migration files are in migrations/, initialize pkger and a PkgerMigrationSource:

dir := pkger.Include("/test-migrations") // Remember to include forward slash at the beginning of the directory's name

pkgerSource := &migration.PkgerMigrationSource{
    Dir: dir,
}

During development, pkger will read the migration files from disk. When building for production, run pkger to generate a Go file containing your migrations. For more information, see the pkger documenation.

Using packr

Assuming your migration files are in migrations/, initialize a PackrMigrationSource:

packrSource := &migration.PackrMigrationSource{
	Box: packr.New("migrations", "migrations"),
}

If your migrations are contained in a subdirectory inside your packr box, you can point to it using the Dir property:

packrSource := &migration.PackrMigrationSource{
	Box: packr.New("migrations", "."),
	Dir: "migrations",
}

During development, packr will read the migration files from disk. When building for production, run packr to generate a Go file containing your migrations, or use packr build to build for your binary. For more information, see the packr documenation.

Using go-bindata

Note: We recommend using packr as it allows you to use migrations from disk during development

In the simplest case, assuming your migration files are in migrations/, just run:

go-bindata -o bindata.go -pkg myapp migrations/

Then, use GoBindataMigrationSource to find the migrations:

goBindataSource := &migration.GoBindataMigrationSource{
    Asset:    Asset,
    AssetDir: AssetDir,
    Dir:      "test-migrations",
}

The Asset and AssetDir functions are generated by go-bindata.

Using Go for migrations

Sometimes, we might be working with a database or have a situation where the query language is not expressive enough to perform the required migrations. For example, we might have to get some data out of the database, perform some transformations and then write it back. For these type of situations, you can use Go for migrations.

When using Go for migrations, create a golang.Source using golang.NewSource(). Then, simply add migrations to the source using the AddMigration() method. You will need to pass in the name of the migration without the extension and direction, e.g. 1_init. For the second parameter, pass in the direction (migration.Up or migration.Down) and for the third parameter, pass in a function or method with this signature: func() error for running the migration.

Finally, you need to define 2 functions:

  • A function for writing or deleting an applied migration matching this signature: func(id string, direction migration.Direction) error
  • A function for getting a list of applied migrations matching this signature: func() ([]string, error)

These are required for initializing the driver:

driver, err := golang.New(source, updateVersion, applied)

Here's a quick example:

source := migration.NewGolangMigrationSource()

source.AddMigration("1_init", migration.Up, func() error {
    // Run up migration here
})

source.AddMigration("1_init", migration.Down, func() error {
    // Run down migration here
})

// Define functions
applied := func() ([]string, error) {
    // Return list of applied migrations
}

updateVersion := func(id string, direction migration.Direction) error {
    // Write or delete applied migration in storage
}

// Create driver
driver, err := golang.New(source, updateVersion, applied)

// Run migrations
count, err = migration.Migrate(driver, source, migration.Up, 0)

TODO (Pull requests welcomed!)

  • [ ] Command line program to run migrations
  • [ ] More drivers

Why yet another migration library?

We wanted a migration library with the following features:

  • Open to extension for all sorts of databases, not just database/sql drivers or an ORM.
  • Easily embeddable in a Go application.
  • Support for embedding migration files directly into the app.

We narrowed our focus down to 2 contenders: sql-migrate and migrate

sql-migrate leans heavily on the gorp ORM library to perform migrations. Unfortunately, this means that we were restricted to databases supported by gorp. It is easily embeddable in a Go app and supports embedding migration files directly into the Go binary. If database support was a bit more flexible, we would have gone with it.

migrate is highly extensible, and adding support for another database is extremely trivial. However, due to it using the scheme in the dsn to determine which database driver to use, it prevented us from easily implementing an Apache Phoenix driver, which uses the scheme to determine if we should connect over http or https. Due to the way the project is structured, it was also almost impossible to add support for embeddable migration files without major changes.

Contributing

We automatically run some linters using golangci-lint to check code quality before merging it. This is executed using a Makefile target.

You should run and ensure all the checks pass locally before submitting a pull request. The version of golangci-lint to be used is pinned in go.mod.

To execute the linters:

  1. Install make.
  2. Install golangci-lint by executing go install github.com/golangci/golangci-lint/cmd/golangci-lint.
  3. Execute make sanity-check.

License

This library is licensed under the Apache 2 License.

Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].