Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add database migration #305

Merged
merged 1 commit into from
Mar 28, 2019
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
23 changes: 22 additions & 1 deletion Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

3 changes: 3 additions & 0 deletions Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -30,6 +30,9 @@ comrak = { version = "0.3", default-features = false }
toml = "0.4"
html5ever = "0.22"
cargo = { git = "https://github.com/rust-lang/cargo.git" }
schemamama = "0.3"
schemamama_postgres = "0.2"


# iron dependencies
iron = "0.5"
Expand Down
4 changes: 2 additions & 2 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -108,8 +108,8 @@ cargo run -- build world
#### `database` subcommand

```sh
# Initializes database. Currently, only creates tables in database.
cargo run -- database init
# Migrate database to recent version
cargo run -- database migrate


# Adds a directory into database to serve with `staticfile` crate.
Expand Down
4 changes: 2 additions & 2 deletions Vagrantfile
Original file line number Diff line number Diff line change
Expand Up @@ -120,9 +120,9 @@ EOF
echo 'DROP DATABASE cratesfyi; CREATE DATABASE cratesfyi OWNER cratesfyi' | sudo -u postgres psql

############################################################
# Initializing database scheme #
# Migrate database to recent version #
############################################################
su - cratesfyi -c "cd /vagrant && cargo run -- database init"
su - cratesfyi -c "cd /vagrant && cargo run -- database migrate"

############################################################
# Add essential files for downloaded nigthly #
Expand Down
12 changes: 7 additions & 5 deletions src/bin/cratesfyi.rs
Original file line number Diff line number Diff line change
Expand Up @@ -109,8 +109,9 @@ pub fn main() {
.subcommand(SubCommand::with_name("daemon").about("Starts cratesfyi daemon"))
.subcommand(SubCommand::with_name("database")
.about("Database operations")
.subcommand(SubCommand::with_name("init").about("Initialize database. Currently \
only creates tables in database."))
.subcommand(SubCommand::with_name("migrate")
.about("Run database migrations")
.arg(Arg::with_name("VERSION")))
.subcommand(SubCommand::with_name("update-github-fields")
.about("Updates github stats for crates."))
.subcommand(SubCommand::with_name("add-directory")
Expand Down Expand Up @@ -204,9 +205,10 @@ pub fn main() {
}

} else if let Some(matches) = matches.subcommand_matches("database") {
if let Some(_) = matches.subcommand_matches("init") {
let conn = db::connect_db().unwrap();
db::create_tables(&conn).expect("Failed to initialize database");
if let Some(matches) = matches.subcommand_matches("migrate") {
let version = matches.value_of("VERSION").map(|v| v.parse::<i64>()
.expect("Version should be an integer"));
db::migrate(version).expect("Failed to run database migrations");
} else if let Some(_) = matches.subcommand_matches("update-github-fields") {
cratesfyi::utils::github_updater().expect("Failed to update github fields");
} else if let Some(matches) = matches.subcommand_matches("add-directory") {
Expand Down
189 changes: 189 additions & 0 deletions src/db/migrate.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,189 @@
//! Database migrations

use db::connect_db;
use error::Result as CratesfyiResult;
use postgres::error::Error as PostgresError;
use postgres::transaction::Transaction;
use schemamama::{Migration, Migrator, Version};
use schemamama_postgres::{PostgresAdapter, PostgresMigration};


/// Creates a new PostgresMigration from upgrade and downgrade queries.
/// Downgrade query should return database to previous state.
///
/// Example:
///
/// ```
/// let my_migration = migration!(100,
/// "Create test table",
/// "CREATE TABLE test ( id SERIAL);",
/// "DROP TABLE test;");
/// ```
macro_rules! migration {
($version:expr, $description:expr, $up:expr, $down:expr) => {{
struct Amigration;
impl Migration for Amigration {
fn version(&self) -> Version {
$version
}
fn description(&self) -> String {
$description.to_owned()
}
}
impl PostgresMigration for Amigration {
fn up(&self, transaction: &Transaction) -> Result<(), PostgresError> {
info!("Applying migration {}: {}", self.version(), self.description());
transaction.batch_execute($up).map(|_| ())
}
fn down(&self, transaction: &Transaction) -> Result<(), PostgresError> {
info!("Removing migration {}: {}", self.version(), self.description());
transaction.batch_execute($down).map(|_| ())
}
}
Box::new(Amigration)
}};
}


pub fn migrate(version: Option<Version>) -> CratesfyiResult<()> {
let conn = connect_db()?;
let adapter = PostgresAdapter::with_metadata_table(&conn, "database_versions");
adapter.setup_schema()?;

let mut migrator = Migrator::new(adapter);

let migrations: Vec<Box<PostgresMigration>> = vec![
migration!(
// version
1,
// description
"Initial database schema",
// upgrade query
"CREATE TABLE crates (
id SERIAL PRIMARY KEY,
name VARCHAR(255) UNIQUE NOT NULL,
latest_version_id INT DEFAULT 0,
versions JSON DEFAULT '[]',
downloads_total INT DEFAULT 0,
github_description VARCHAR(1024),
github_stars INT DEFAULT 0,
github_forks INT DEFAULT 0,
github_issues INT DEFAULT 0,
github_last_commit TIMESTAMP,
github_last_update TIMESTAMP,
content tsvector
);
CREATE TABLE releases (
id SERIAL PRIMARY KEY,
crate_id INT NOT NULL REFERENCES crates(id),
version VARCHAR(100),
release_time TIMESTAMP,
dependencies JSON,
target_name VARCHAR(255),
yanked BOOL DEFAULT FALSE,
is_library BOOL DEFAULT TRUE,
build_status BOOL DEFAULT FALSE,
rustdoc_status BOOL DEFAULT FALSE,
test_status BOOL DEFAULT FALSE,
license VARCHAR(100),
repository_url VARCHAR(255),
homepage_url VARCHAR(255),
documentation_url VARCHAR(255),
description VARCHAR(1024),
description_long VARCHAR(51200),
readme VARCHAR(51200),
authors JSON,
keywords JSON,
have_examples BOOL DEFAULT FALSE,
downloads INT DEFAULT 0,
files JSON,
doc_targets JSON DEFAULT '[]',
doc_rustc_version VARCHAR(100) NOT NULL,
default_target VARCHAR(100),
UNIQUE (crate_id, version)
);
CREATE TABLE authors (
id SERIAL PRIMARY KEY,
name VARCHAR(255),
email VARCHAR(255),
slug VARCHAR(255) UNIQUE NOT NULL
);
CREATE TABLE author_rels (
rid INT REFERENCES releases(id),
aid INT REFERENCES authors(id),
UNIQUE(rid, aid)
);
CREATE TABLE keywords (
id SERIAL PRIMARY KEY,
name VARCHAR(255),
slug VARCHAR(255) NOT NULL UNIQUE
);
CREATE TABLE keyword_rels (
rid INT REFERENCES releases(id),
kid INT REFERENCES keywords(id),
UNIQUE(rid, kid)
);
CREATE TABLE owners (
id SERIAL PRIMARY KEY,
login VARCHAR(255) NOT NULL UNIQUE,
avatar VARCHAR(255),
name VARCHAR(255),
email VARCHAR(255)
);
CREATE TABLE owner_rels (
cid INT REFERENCES releases(id),
oid INT REFERENCES owners(id),
UNIQUE(cid, oid)
);
CREATE TABLE builds (
id SERIAL,
rid INT NOT NULL REFERENCES releases(id),
rustc_version VARCHAR(100) NOT NULL,
cratesfyi_version VARCHAR(100) NOT NULL,
build_status BOOL NOT NULL,
build_time TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP,
output TEXT
);
CREATE TABLE queue (
id SERIAL,
name VARCHAR(255),
version VARCHAR(100),
attempt INT DEFAULT 0,
date_added TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP,
UNIQUE(name, version)
);
CREATE TABLE files (
path VARCHAR(4096) NOT NULL PRIMARY KEY,
mime VARCHAR(100) NOT NULL,
date_added TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP,
date_updated TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP,
content BYTEA
);
CREATE TABLE config (
name VARCHAR(100) NOT NULL PRIMARY KEY,
value JSON NOT NULL
);
CREATE INDEX ON releases (release_time DESC);
CREATE INDEX content_idx ON crates USING gin(content);",
// downgrade query
"DROP TABLE authors, author_rels, keyword_rels, keywords, owner_rels,
owners, releases, crates, builds, queue, files, config;"
),
];

for migration in migrations {
migrator.register(migration);
}

if let Some(version) = version {
if version > migrator.current_version()?.unwrap_or(0) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I'm worried whether this will attempt to recreate all the tables if this is used with an existing database (that uses the config table to track its version). Should we include a check to look for a database_version entry in the config table before assuming an empty database?

migrator.up(Some(version))?;
} else {
migrator.down(Some(version))?;
}
} else {
migrator.up(version)?;
}

Ok(())
}
Loading