Skip to content

Commit

Permalink
Merge branch 'trs/groups-storage-layout'
Browse files Browse the repository at this point in the history
  • Loading branch information
tsibley committed Jun 24, 2022
2 parents c4db81c + c42ee78 commit 9ce32e5
Show file tree
Hide file tree
Showing 5 changed files with 328 additions and 75 deletions.
8 changes: 4 additions & 4 deletions aws/iam/policy/NextstrainDotOrgServerInstanceDev.json
Original file line number Diff line number Diff line change
Expand Up @@ -50,11 +50,11 @@
"arn:aws:s3:::nextstrain-groups"
],
"Condition": {
"StringEquals": {
"StringLike": {
"s3:prefix": [
"blab/",
"test/",
"test-private/"
"blab/*",
"test/*",
"test-private/*"
]
}
}
Expand Down
128 changes: 65 additions & 63 deletions scripts/migrate-group
Original file line number Diff line number Diff line change
Expand Up @@ -2,16 +2,13 @@
const {ArgumentParser} = require("argparse");
const IAM = require("@aws-sdk/client-iam");
const S3 = require("@aws-sdk/client-s3");
const {spawn} = require("child_process");
const {Console} = require("console");
const fs = require("fs");
const os = require("os");
const {basename, relative: relativePath, parse: parsePath} = require("path");
const process = require("process");
const {Transform} = require("stream");

const {Group} = require("../src/groups");
const {reportUnhandledRejectionsAtExit} = require("../src/utils/scripts");
const {reportUnhandledRejectionsAtExit, run, setupConsole} = require("../src/utils/scripts");

const AWS_ACCOUNT_ID = process.env.AWS_ACCOUNT_ID;

Expand Down Expand Up @@ -93,21 +90,84 @@ async function migrate({group, dryRun = true}) {


async function syncData({dryRun = true, group}) {
console.group(`\nSyncing S3 data`);

// Datasets
await s3Sync({
dryRun,
group,
prefix: "datasets/",
filters: [
"--exclude=*",
"--include=*.json",
]
});

// Narratives
await s3Sync({
dryRun,
group,
prefix: "narratives/",
filters: [
"--exclude=*",
"--include=*.md",
"--exclude=group-overview.md",
]
});

// Control/customization files
await s3Sync({
dryRun,
group,
prefix: "",
filters: [
"--exclude=*",
"--include=group-overview.md",
"--include=group-logo.png",
]
});

// Discover files to consider for manual review
const unsynced = (await s3ListObjects({group})).filter(
key => !key.endsWith(".json")
&& !key.endsWith(".md")
&& key !== "group-overview.md"
&& key !== "group-logo.png"
);

console.groupEnd();

return unsynced.map(key => `Investigate unsynced object s3://${group.bucket}/${key}`);
}


async function s3Sync({dryRun = true, group, prefix = "", filters = []}) {
const argv = [
"aws", "s3", "sync",
...(dryRun
? ["--dryrun"]
: []),
"--delete",
`s3://${group.bucket}/`,
`s3://nextstrain-groups/${group.name}/`,
`s3://nextstrain-groups/${group.name}/${prefix}`,
...filters,
];
console.group(`\nRunning ${argv.join(" ")}`);
await run(argv);
console.groupEnd();
}


async function s3ListObjects({group}) {
const client = new S3.S3Client();

return await collate(
S3.paginateListObjectsV2({client}, {Bucket: group.bucket}),
page => page.Contents.map(object => object.Key),
);
}


async function updateServerPolicies({dryRun = true, oldBucket}) {
const policyFiles = [
"aws/iam/policy/NextstrainDotOrgServerInstance.json",
Expand Down Expand Up @@ -379,64 +439,6 @@ async function diff(...args) {
}


/**
* Run a command with stdout and stderr sent to `console.log()` and
* `console.error()`.
*
* @param {string[]} argv
* @returns {{code, signal, argv}}
*/
async function run(argv) {
return new Promise((resolve, reject) => {
const proc = spawn(argv[0], argv.slice(1), {stdio: ["ignore", "pipe", "pipe"]});

proc.stdout.on("data", data => console.log(data.toString().replace(/\n$/, "")));
proc.stderr.on("data", data => console.error(data.toString().replace(/\n$/, "")));

proc.on("close", (code, signal) => {
const result = code !== 0 || signal != null
? reject
: resolve;
return result({code, signal, argv});
});
});
}


/**
* Set up the global `console` object to prefix all output lines with an
* indication of the state of *dryRun*.
*
* @param {{dryRun: boolean}}
*/
function setupConsole({dryRun = true}) {
if (!dryRun) return;

const LinePrefixer = class extends Transform {
constructor(prefix) {
super();
this.prefix = prefix;
}
_transform(chunk, encoding, callback) {
// Prefix the beginning of the string and every internal newline, but not
// the last trailing newline.
this.push(chunk.toString().replace(/^|(?<=\n)(?!$)/g, this.prefix));
callback();
}
};

const stdout = new LinePrefixer("DRY RUN | ");
const stderr = new LinePrefixer("DRY RUN | ");

stdout.pipe(process.stdout);
stderr.pipe(process.stderr);

console = new Console({stdout, stderr});
process.stdout = stdout;
process.stderr = stderr;
}


/**
* Read file at *path* as JSON.
*
Expand Down
160 changes: 160 additions & 0 deletions scripts/migrate-groups-layout
Original file line number Diff line number Diff line change
@@ -0,0 +1,160 @@
#!/usr/bin/env node
const {ArgumentParser} = require("argparse");
const S3 = require("@aws-sdk/client-s3");
const process = require("process");

const {reportUnhandledRejectionsAtExit, run, setupConsole} = require("../src/utils/scripts");

const BUCKET = "nextstrain-groups";


function parseArgs() {
const argparser = new ArgumentParser({
usage: `%(prog)s [--dry-run | --wet-run] [--delete-after-copy]`,
description: `
Migrate layout of new multi-tenant bucket for Nextstrain Groups from old
layout to the new layout.
This program is designed to be idempotent if run multiple times. In
practice, it likely only needs to be run once before deploy of the
layout change and once again (this time with --delete-after-copy) after
deploy.
`,
});

argparser.addArgument("--dry-run", {
help: "Go through the motions locally but don't actually make any changes on S3. This is the default.",
dest: "dryRun",
action: "storeTrue",
defaultValue: true,
});
argparser.addArgument("--wet-run", {
help: "Actually make changes on S3.",
dest: "dryRun",
action: "storeFalse",
});

argparser.addArgument("--delete-after-copy", {
help: "Delete objects in the old layout after copying them to the new layout.",
dest: "deleteAfterCopy",
action: "storeTrue",
defaultValue: false,
});

return argparser.parseArgs();
}


function main({dryRun = true, deleteAfterCopy = false}) {
setupConsole({dryRun});

console.log(`Migrating layout of multi-tenant bucket`);

migrate({dryRun, deleteAfterCopy})
.then(counts => {
console.log(`\nMigration complete: %o`, counts);
})
.catch(error => {
console.error("\n\n%s\n", error);
console.error("Migration FAILED. See above for details. It's typically safe to re-run this program after fixing the issue.");
process.exitCode = 1;
});
}


async function migrate({dryRun = true, deleteAfterCopy = false}) {
const s3 = new S3.S3Client();

console.log("\nDiscovering objects…");
let objects = [];

for await (const page of S3.paginateListObjectsV2({client: s3}, {Bucket: BUCKET})) {
objects = objects.concat(page.Contents);
}

const existingKeys = new Map(objects.map(o => [o.Key, o]));

console.group(`\n${deleteAfterCopy ? "Moving" : "Copying"} objects…`);

const counts = {copied: 0, updated: 0, existed: 0};

for (const object of objects) {
const oldKey = object.Key;
const newKey = newKeyFor(oldKey);

if (!newKey) continue;

let status;
const existingCopy = existingKeys.get(newKey);
if (existingCopy) {
if (existingCopy.LastModified >= object.LastModified) {
status = "existed";
} else {
status = "updated";
}
} else {
status = "copied";
}

if (status !== "existed") {
console.log(`copying: ${oldKey}${newKey}`);

if (!dryRun) {
await s3.send(new S3.CopyObjectCommand({
CopySource: `${BUCKET}/${oldKey}`,
Bucket: BUCKET,
Key: newKey,
}));
}
}

if (!dryRun && deleteAfterCopy) {
console.log(`deleting: ${oldKey}`);

await s3.send(new S3.DeleteObjectCommand({
Bucket: BUCKET,
Key: oldKey,
}));
}

counts[status]++;
}

console.groupEnd();

return counts;
}


function newKeyFor(key) {
const {groupName, subKey} = parseKey(key);

if (!shouldCopy(subKey)) return;

const subPrefix =
subKey.endsWith(".json") ? "datasets" :
subKey.endsWith(".md") ? "narratives" :
undefined ;

if (!subPrefix) throw new Error(`unrecognized key: ${key}`);

return `${groupName}/${subPrefix}/${subKey}`;
}


function parseKey(key) {
const [groupName, ...rest] = key.split("/");
return {groupName, subKey: rest.join("/")};
}


function shouldCopy(subKey) {
return !subKey.startsWith("datasets/")
&& !subKey.startsWith("narratives/")
&& subKey !== "group-overview.md"
&& subKey !== "group-logo.png";
}


reportUnhandledRejectionsAtExit();
main(parseArgs());
Loading

0 comments on commit 9ce32e5

Please sign in to comment.