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

chore(NODE-5387): add release automation #17

Merged
merged 2 commits into from
Jul 5, 2023
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
15 changes: 15 additions & 0 deletions .github/actions/setup/action.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,15 @@
name: Setup
description: 'Installs node, driver dependencies, and builds source'

runs:
using: composite
steps:
- uses: actions/setup-node@v3
with:
node-version: 'lts/*'
cache: 'npm'
registry-url: 'https://registry.npmjs.org'
- run: npm install -g npm@latest
shell: bash
- run: npm clean-install
shell: bash
8 changes: 8 additions & 0 deletions .github/pull_request_template.md
Original file line number Diff line number Diff line change
Expand Up @@ -16,6 +16,14 @@ If you haven't already, it would greatly help the team review this work in a tim
You can do that here: https://jira.mongodb.org/projects/NODE
-->

### Release Highlight

<!-- RELEASE_HIGHLIGHT_START -->

### Fill in title or leave empty for no highlight

<!-- RELEASE_HIGHLIGHT_END -->

### Double check the following

- [ ] Ran `npm run check:lint` script
Expand Down
79 changes: 79 additions & 0 deletions .github/scripts/highlights.mjs
Original file line number Diff line number Diff line change
@@ -0,0 +1,79 @@
// @ts-check
import * as process from 'node:process';
import { Octokit } from '@octokit/core';
import { output } from './util.mjs';

const {
GITHUB_TOKEN = '',
PR_LIST = '',
owner = 'mongodb-js',
repo = 'nodejs-mongodb-legacy'
} = process.env;
if (GITHUB_TOKEN === '') throw new Error('GITHUB_TOKEN cannot be empty');

const octokit = new Octokit({
auth: GITHUB_TOKEN,
log: {
debug: msg => console.error('Octokit.debug', msg),
info: msg => console.error('Octokit.info', msg),
warn: msg => console.error('Octokit.warn', msg),
error: msg => console.error('Octokit.error', msg)
}
});

const prs = PR_LIST.split(',').map(pr => {
const prNum = Number(pr);
if (Number.isNaN(prNum))
throw Error(`expected PR number list: ${PR_LIST}, offending entry: ${pr}`);
return prNum;
});

/** @param {number} pull_number */
async function getPullRequestContent(pull_number) {
const startIndicator = 'RELEASE_HIGHLIGHT_START -->';
const endIndicator = '<!-- RELEASE_HIGHLIGHT_END';

let body;
try {
const res = await octokit.request('GET /repos/{owner}/{repo}/pulls/{pull_number}', {
owner,
repo,
pull_number,
headers: { 'X-GitHub-Api-Version': '2022-11-28' }
});
body = res.data.body;
} catch (error) {
console.log(`Could not get PR ${pull_number}, skipping. ${error.status}`);
return '';
}

if (body == null || !(body.includes(startIndicator) && body.includes(endIndicator))) {
console.log(`PR #${pull_number} has no highlight`);
return '';
}

const start = body.indexOf('### ', body.indexOf(startIndicator));
const end = body.indexOf(endIndicator);
const highlightSection = body.slice(start, end).trim();

console.log(`PR #${pull_number} has a highlight ${highlightSection.length} characters long`);
return highlightSection;
}

/** @param {number[]} prs */
async function pullRequestHighlights(prs) {
const highlights = [];
for (const pr of prs) {
const content = await getPullRequestContent(pr);
highlights.push(content);
}
if (!highlights.length) return '';

highlights.unshift('## Release Notes\n\n');
return highlights.join('\n\n');
}

console.log('List of PRs to collect highlights from:', prs);
const highlights = await pullRequestHighlights(prs);

await output('highlights', JSON.stringify({ highlights }));
28 changes: 28 additions & 0 deletions .github/scripts/pr_list.mjs
Original file line number Diff line number Diff line change
@@ -0,0 +1,28 @@
// @ts-check
import * as url from 'node:url';
import * as fs from 'node:fs/promises';
import * as path from 'node:path';
import { getCurrentHistorySection, output } from './util.mjs';

const __dirname = url.fileURLToPath(new URL('.', import.meta.url));
const historyFilePath = path.join(__dirname, '..', '..', 'HISTORY.md');

/**
* @param {string} history
* @returns {string[]}
*/
function parsePRList(history) {
const prRegexp = /mongodb-legacy/issues\/(?<prNum>\d+)\)/iu;
return history
.split('\n')
.map(line => prRegexp.exec(line)?.groups?.prNum ?? '')
.filter(prNum => prNum !== '');
}

const historyContents = await fs.readFile(historyFilePath, { encoding: 'utf8' });

const currentHistorySection = getCurrentHistorySection(historyContents);

const prs = parsePRList(currentHistorySection);

await output('pr_list', prs.join(','));
56 changes: 56 additions & 0 deletions .github/scripts/release_notes.mjs
Original file line number Diff line number Diff line change
@@ -0,0 +1,56 @@
//@ts-check
import * as url from 'node:url';
import * as fs from 'node:fs/promises';
import * as path from 'node:path';
import * as process from 'node:process';
import * as semver from 'semver';
import { getCurrentHistorySection, output } from './util.mjs';

const { HIGHLIGHTS = '' } = process.env;
if (HIGHLIGHTS === '') throw new Error('HIGHLIGHTS cannot be empty');

const { highlights } = JSON.parse(HIGHLIGHTS);

const __dirname = url.fileURLToPath(new URL('.', import.meta.url));
const historyFilePath = path.join(__dirname, '..', '..', 'HISTORY.md');
const packageFilePath = path.join(__dirname, '..', '..', 'package.json');

const historyContents = await fs.readFile(historyFilePath, { encoding: 'utf8' });

const currentHistorySection = getCurrentHistorySection(historyContents);

const version = semver.parse(
JSON.parse(await fs.readFile(packageFilePath, { encoding: 'utf8' })).version
);
if (version == null) throw new Error(`could not create semver from package.json`);

console.log('\n\n--- history entry ---\n\n', currentHistorySection);

const currentHistorySectionLines = currentHistorySection.split('\n');
const header = currentHistorySectionLines[0];
const history = currentHistorySectionLines.slice(1).join('\n').trim();

const releaseNotes = `${header}

The MongoDB Node.js team is pleased to announce version ${version.version} of the \`mongodb-legacy\` package!

${highlights}
${history}
## Documentation

* [Reference](https://docs.mongodb.com/drivers/node/current/)
* [API](https://mongodb.github.io/node-mongodb-native/${version.major}.${version.minor}/)
* [Changelog](https://github.com/mongodb/node-mongodb-native/blob/v${version.version}/HISTORY.md)

We invite you to try the \`mongodb-legacy\` library immediately, and report any issues to the [NODE project](https://jira.mongodb.org/projects/NODE).
`;

const releaseNotesPath = path.join(process.cwd(), 'release_notes.md');

await fs.writeFile(
releaseNotesPath,
`:seedling: A new release!\n---\n${releaseNotes}\n---\n`,
{ encoding:'utf8' }
);

await output('release_notes_path', releaseNotesPath)
47 changes: 47 additions & 0 deletions .github/scripts/util.mjs
Original file line number Diff line number Diff line change
@@ -0,0 +1,47 @@
// @ts-check
import * as process from 'node:process';
import * as fs from 'node:fs/promises';

export async function output(key, value) {
const { GITHUB_OUTPUT = '' } = process.env;
const output = `${key}=${value}\n`;
console.log('outputting:', output);

if (GITHUB_OUTPUT.length === 0) {
// This is always defined in Github actions, and if it is not for some reason, tasks that follow will fail.
// For local testing it's convenient to see what scripts would output without requiring the variable to be defined.
console.log('GITHUB_OUTPUT not defined, printing only');
return;
}

const outputFile = await fs.open(GITHUB_OUTPUT, 'a');
await outputFile.appendFile(output, { encoding: 'utf8' });
await outputFile.close();
}

/**
* @param {string} historyContents
* @returns {string}
*/
export function getCurrentHistorySection(historyContents) {
/** Markdown version header */
const VERSION_HEADER = /^#.+\(\d{4}-\d{2}-\d{2}\)$/g;

const historyLines = historyContents.split('\n');

// Search for the line with the first version header, this will be the one we're releasing
const headerLineIndex = historyLines.findIndex(line => VERSION_HEADER.test(line));
if (headerLineIndex < 0) throw new Error('Could not find any version header');

console.log('Found markdown header current release', headerLineIndex, ':', historyLines[headerLineIndex]);

// Search lines starting after the first header, and add back the offset we sliced at
const nextHeaderLineIndex = historyLines
.slice(headerLineIndex + 1)
.findIndex(line => VERSION_HEADER.test(line)) + headerLineIndex + 1;
if (nextHeaderLineIndex < 0) throw new Error(`Could not find previous version header, searched ${headerLineIndex + 1}`);

console.log('Found markdown header previous release', nextHeaderLineIndex, ':', historyLines[nextHeaderLineIndex]);

return historyLines.slice(headerLineIndex, nextHeaderLineIndex).join('\n');
}
9 changes: 4 additions & 5 deletions .github/workflows/lint.yml
Original file line number Diff line number Diff line change
Expand Up @@ -11,9 +11,8 @@ jobs:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v3
- name: Use Node.js LTS
uses: actions/setup-node@v3
with:
node-version: lts/*
- run: npm clean-install

- name: actions/setup
uses: ./.github/actions/setup

- run: npm run check:lint
37 changes: 37 additions & 0 deletions .github/workflows/release.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,37 @@
on:
push:
branches: [main]
workflow_dispatch: {}

permissions:
contents: write
pull-requests: write

name: release

jobs:
release-please:
runs-on: ubuntu-latest
steps:
- id: release
uses: google-github-actions/release-please-action@v3
with:
release-type: node
package-name: mongodb-legacy
# Example: chore(main): release 5.7.0 [skip-ci]
# ${scope} - parenthesis included, base branch name
pull-request-title-pattern: 'chore${scope}: release ${version} [skip-ci]'
pull-request-header: 'Please run the release_notes action before releasing to generate release highlights'
changelog-path: HISTORY.md
default-branch: main

# If release-please created a release, publish to npm
- if: ${{ steps.release.outputs.release_created }}
uses: actions/checkout@v3
- if: ${{ steps.release.outputs.release_created }}
name: actions/setup
uses: ./.github/actions/setup
- if: ${{ steps.release.outputs.release_created }}
run: npm publish --provenance
env:
NODE_AUTH_TOKEN: ${{ secrets.NPM_TOKEN }}
48 changes: 48 additions & 0 deletions .github/workflows/release_notes.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,48 @@
name: release_notes

on:
workflow_dispatch:
inputs:
releasePr:
description: 'Enter release PR number'
required: true
type: number

jobs:
release_notes:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v3

- name: actions/setup
uses: ./.github/actions/setup

# See: https://github.com/googleapis/release-please/issues/1274

# Get the PRs that are in this release
# Outputs a list of comma seperated PR numbers, parsed from HISTORY.md
- id: pr_list
run: node .github/scripts/pr_list.mjs
env:
GITHUB_TOKEN: ${{ github.token }}

# From the list of PRs, gather the highlight sections of the PR body
# output JSON with "highlights" key (to preserve newlines)
- id: highlights
run: node .github/scripts/highlights.mjs
env:
GITHUB_TOKEN: ${{ github.token }}
PR_LIST: ${{ steps.pr_list.outputs.pr_list }}

# The combined output is available
- id: release_notes
run: node .github/scripts/release_notes.mjs
env:
GITHUB_TOKEN: ${{ github.token }}
HIGHLIGHTS: ${{ steps.highlights.outputs.highlights }}

# Update the release PR body
- run: gh pr edit ${{ inputs.releasePr }} --body-file ${{ steps.release_notes.outputs.release_notes_path }}
shell: bash
env:
GITHUB_TOKEN: ${{ github.token }}
Loading