-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathbump.ts
76 lines (60 loc) · 1.89 KB
/
bump.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
/**
* Bumps the deno.json version using semver
*/
const configPath = "./deno.json";
const updateVersion = (type: string) => {
const text = Deno.readTextFileSync(configPath);
const json = JSON.parse(text);
const version = json["version"] || "0.0.0";
const [major, minor, patch]: number[] = version.split(".").map(Number);
let newVersion: string;
switch (type) {
case "major":
newVersion = [major + 1, 0, 0].join(".");
break;
case "minor":
newVersion = [major, minor + 1, 0].join(".");
break;
case "patch":
newVersion = [major, minor, patch + 1].join(".");
break;
default:
throw new Error(
"Invalid version bump argument: major, minor or patch",
);
}
json["version"] = newVersion;
Deno.writeTextFileSync(configPath, JSON.stringify(json, null, 2));
console.log(`version updated ${version} -> ${newVersion}`);
return newVersion;
};
const runCommand = async (command: string[]) => {
const process = new Deno.Command(command[0], {
args: command.slice(1),
stdout: "piped",
stderr: "piped",
});
const { success, stderr, stdout } = await process.output();
if (!success) {
const error = new TextDecoder().decode(stderr);
throw new Error(`Command ${command.join(" ")} failed:\n${error}`);
}
console.log(new TextDecoder().decode(stdout));
};
const commitAndTag = async (version: string) => {
await runCommand(["git", "add", "."]);
await runCommand(["git", "commit", "-m", `v${version}`]);
await runCommand(["git", "tag", `v${version}`]);
console.log(`Git commit and tag created: v${version} `);
};
if (import.meta.main) {
const type = Deno.args[0];
if (!type) {
console.error(
"Usage: deno run --allow-read --allow-write --allow-run bump_version.ts <major|minor|patch>",
);
Deno.exit(1);
}
const newVersion = updateVersion(type);
await commitAndTag(newVersion);
}