Version Bump
We bumpin' versions like it's 1999.
Inspiration for this project comes from Standard Version.
Notes
VERSION 0.2.0 IS BROKEN. DO NOT USE
Version 0.1.0 has been formally released. All other changes will come from regular feature development (including merge requests).
However, do not consider this a stable release, and expect changes as I work my way up to a 1.0.0 release. You can check progress at the v1.0.0 Milestone.
Things to come
- A configuration file spec so that the user doesn't need to supply every argument to the command line.
- Documentation on how to create custom version bump strategies, git providers, presets, and even the changelog writer.
Installation
Run
deno install -A -n version-bump https://deno.land/x/version_bump
# In the git directory you want to version bump
version-bump
Options
Currently we have the following command-line arguments you can pass.
--firstRelease
Adding --firstRelease
will not bump version, regardless of commits and will
instead release it as the version found by the strategy (default: deno
, which
looks in your deps.ts
file for an export named VERSION
).
--preset
Default angular
The preset is the engine that determines what the new version will be based on the current version, the commits, and arguments passed to the CLI.
To make a custom implementation please see Making a Git Convention
--allowEmpty
Default false
.
Generally not recommended to use as it would allow for empty commits to occur.
--versionStrategy
Default deno
The strategy to fetch version information. The default is deno
, and the only
other options currently bundled together is the node
and cargo
strategies.
Please see the table below for more information about these two items.
Deno | Node | Cargo | |
---|---|---|---|
Primary Version Source | VERSION export in root deps.ts |
"version" field in root package.json file. |
version key in [package] section of Cargo.toml located in same directory |
Fallback | most recent git tag or 0.1.0 |
most recent git tag or 0.1.0 . |
0.1.0 |
In order to make a custom VersionStrategy
please check the
Making a Version Strategy
--changelogWriter
Default default
The changelog writer is the class responsible for putting the data in stored into the commits into the CHANGELOG.md file.
In order pass a custom changelog writer you must extends the changelog writer
class and make sure to pass the .ts
extension. E.g. if you have a changelog
writer at src/custom.changelog.ts
you would reference it with
version-bump --changelogWriter src/custom.changelog.ts
See Making a Changelog Writer for how to code your own custom ChangelogWriter
--changelogPath
Default CHANGELOG.md
A string value representing the position of the CHANGELOG.md file in reference of the CWD.
--baseVersion
Default false
The base version to use if no version can be found. Defaults to false
to allow
for the users to send in a version that is not 0.1.0
.
--firstRelease
Default false
Whether or not this is the first release. This way no bumping of the
--baseVersion
is done.
--versionPrefix
Default ``
The version prefix, used when writing tags. If a version is found that does not
have the version prefix, such as values that would occur in the VERSION
export
or the version
key in a package.json file the value is prepended on to look
for the corresponding tags.
--hostUrl
Currently unused. Set it to whatever you want, it changes nothing!
--dryRun
Default false
Whether or not this is a dry run. Setting to true
will disable writing the
updates to the files used by your VersionStrategy.
--historic
Default false
Should this be a historic run? A historic run differs a bit between a regular run in one main way:
Historic runs go through all commits, and attempt to use the current convention to build a CHANGELOG starting from the very beginning of the packages Git history. Regular runs only work in the last batch of commits, and work to progress the project one group of commits at a time.
This is a good flag to run if you are, say, moving from using one version prefix
to another. For example, if you were originally using the --versionPrefix
argument of v
, but no longer wish to append v
to your calculated version,
run this command with the version prefix you would like to use. It will not
re-tag the old commits, but it will create a good CHANGELOG with appropriate
diff URLs.
--logLevel
Default ERROR
This controls how much information you see about the inner workings of the Version Bump CLI. The levels are as followed, with each level including the levels below them:
- DEBUG (most logging)
- INFO
- WARNING
- ERROR
- CRITICAL (least logging)
Please see the documentation about the Deno Logger for more thorough information about logging levels.
References
This section has the references for building custom implementation of the inner classes that relate to Version Bump.
Please note that unless otherwise stated, in order to be picked up by the system the exported class must be the default export. E.g.
// ✅ Good
export default class CustomChangelogWriter extends ChangelogWriter {
// Rest of code
}
// ❌ Bad
export class CustomChangelogWriter extends ChangelogWriter {
// rest of code
}
Injectables
There are a few injectables that can be used in your code. These will have their
given defaults, but will be determined at run-time for the CLI. They can be
included by including them in the constructor in the case of classes, OR by
using the inject
decorator for certain tokens.
Classes
These classes can be injected into your code by TSyringe so long as your class
is correctly marked as @injectable
.
Git
Tokens
These tokens can be registered in via the @inject
decorator on a constructor.
Token | Type | Example |
---|---|---|
cwd |
string |
constructor(@inject('cwd') public readonly cwd: string) {} |
args |
Args |
constructor(@inject('args) public readonly args: Args) {} |
logger |
LoggerInstance |
constructor(@inject('logger') public readonly log: LoggerInstance) {} |
NOTE The LoggerInstance
type is an inferred type from an import. Work is
in process to determine how best to wrap it into something more cohesive with
the system, but for now it is fine to use as it adds level-based logging to the
application.
Making a Changelog Writer
To make a ChangelogWriter
you will need to import the base ChangelogWriter
class.
This will ask for 2 methods to be available on the class. Below is a quick description of purpose behind each of those methods.
write(filePath: string, newContent: string): Promise<boolean>
– Takes the filePath (determined at runtime), the new content based on the value returned from chosengenerateChangelogEntry
generateChangelogEntry(newVersion: string, previousVersion: string,commits: Commit[]):
– Generates the actual entry that will be written in the CHANGELOG file for the givennewVersion
(calculated by theGitConvention
),previousVersion
(gathered by theVersionStrategy
, and the commits, gathered by any relevant CLI tool (and theGit
class))
Usage
// CustomChangelogWriter.ts
import {
type Args,
ChangelogWriter,
Commit,
Git,
GitProvider,
inject,
injectable,
} from 'https://deno.land/x/version_bump/mod.ts';
@injectable()
export default class CustomChangelogWriter extends ChangelogWriter {
// Needed to make the compiler happy.
public provider: GitProvider = new GitProvider();
/**
* Please note that the constructor does not have a given form -- it can use any of the [injectables](#injectables) in the code base. The signature used for the default is given below for reference
*/
constructor(
@inject('gitProvider') public readonly gitProvider: GitProvider,
@inject('args') public readonly args: Args,
@inject('logger') public readonly log: LoggerInstance,
@inject(Git) public readonly git: Git,
) {
super();
}
async write(
filePath: string,
newContent: string,
): Promise<boolean> {
/// implementation here
}
generateChangelogEntry(
newVersion: string,
previousVersion: string,
commits: Commit[],
): Promise<string> {
/// Implementation here.
}
}
Then, when you call the file you would use it as follows
version-bump --changelogWriter ./CustomChangelogWriter.ts
Making a Version Strategy
The VersionStrategy
class is used to gather the current version of the
project. In general is a good idea to have a fallback to checking for git tags,
please see the implementation of the DenoTsStrategy
to see how this could be
implemented.
The VersionStrategy
requires the following two methods:
bump(newVersion: string): Promise<boolean>
– Takes in the version calculated from ourGitConvention
and responsible for writing it into the primary SoT. Should returntrue
for successful writes, andfalse
upon any failure (or simplythrow
-ing the error is acceptable as well).getCurrentVersion(): Promise<string>
– Responsible for determining the current version of the project. Should fallback to checking for Git tags if version is not determinable otherwise.
Usage
// CustomVersionStrategy.ts
import {
injectable,
VersionStrategy,
} from 'https://deno.land/x/version_bump/mod.ts';
@injectable()
export default class CustomVersionStrategy extends VersionStrategy {
bump(newVersion: string): Promise<boolean> {
// Code here
}
getCurrentVersion(): Promise<string> {
//Code here
}
}
To use your custom VersionStrategy you would supply the argument as such:
# Project-specific
version-bump --versionStrategy CustomVersionStrategy.ts
# Hosted somewhere
version-bump --versionStrategy https://company-website.com/CustomVersionStrategy.ts
Making a Git Provider
The GitProvider
class is injected at runtime, determined by the origin URL. We
include 3 providers:
- GitHub
- GitLab
- BitBucket
However, if you are using a custom Git hosting provider that isn't supported you can create your own. The GitProviders require the following methods:
gitDiffUrl(from: string, to?: string): string
– The URL for the web-viewable difference editor.commitUrl(commit: string): string
– The URL for the web-viewable changes for a single commit.
Usage
import { GitProvider } from 'https://deno.land/x/version_bump/mod.ts';
// NOTE: This class should NOT be injectable and it _should_ have a constructor that matches the one below.
export default class CustomProvider extends GitProvider {
constructor(url: URL) {}
gitDiffUrl(from: string, to = 'HEAD'): string {
// Code
}
commitUrl(commit: string): string {
// code
}
}
To use, you would provide the argument like so
# Local to the current file
version-bump --gitProvider customProvider.ts
# Local, located in a different directory
version-bump --gitProvider ../../customProvider.ts
# Shared somewhere else
version-bump --gitProvider https://esm.sh/some-preset/mod.ts
Making a Git Convention
The GitConvention
is the real powerhorse here. To make one you would need need
the following code
The GitConvention expects two methods:
calculateBump(args: CalculateBumpArgs): Promise<string>
– Calculates the bump based on the current Args, the current version resolved through theVersionStrategy
, and the gatheredCommits
.generateCommit(args: GenerateCommitArgs): Promise<string>
– Generates the new commit based off the custom convention's standards. For example, the Angular convention takes the default bump to be apatch
level bump, increasing the last number of a semantic version such asx.y.z
by one. If there are any features, this counts as a minor release, and would bump they
value by one. Any release that broke the forward API would count as a major release and would break thex
value of the example.
Usage
// CustomConvention.ts
import {
CalculateBumpArgs,
GenerateCommitArgs,
GitConvention,
injectable,
} from 'https://deno.land/x/version_bump/mod.ts';
@injectable()
export default class CustomConvention extends GitConvention {
calculateBump(args: CalculateBumpArgs): Promise<string> {
// Code
}
generateCommit(args: GenerateCommitArgs): Promise<string> {
// Code
}
}
You would use this in the command like as follows:
version-bump --preset ./CustomConvention.ts