-
Notifications
You must be signed in to change notification settings - Fork 12
/
github-release.js
303 lines (268 loc) · 10.3 KB
/
github-release.js
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
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
const createRelease = async (context, token, owner, repo, tagName, rev, name, body, draft, prerelease) => {
const githubApiRequest = require('./github-api-request')
return await githubApiRequest(
context,
token,
'POST',
`/repos/${owner}/${repo}/releases`, {
tag_name: tagName,
target_commitish: rev,
name,
body,
discussion_category_name: 'Announcements',
draft: draft === undefined ? true : draft,
prerelease: prerelease === undefined ? true : prerelease
}
)
}
const updateRelease = async (context, token, owner, repo, releaseId, parameters) => {
const githubApiRequest = require('./github-api-request')
return await githubApiRequest(
context,
token,
'PATCH',
`/repos/${owner}/${repo}/releases/${releaseId}`,
parameters
)
}
const uploadReleaseAsset = async (context, token, owner, repo, releaseId, name, path) => {
const httpsRequest = require('./https-request')
const fs = require('fs')
const headers = {
Authorization: `Bearer ${token}`
}
const answer = await httpsRequest(
context,
'uploads.github.com',
'POST',
`/repos/${owner}/${repo}/releases/${releaseId}/assets?name=${name}`,
fs.createReadStream(path || name),
headers)
if (answer.error) throw answer.error
return answer
}
const getWorkflowRunArtifactsURLs = async (context, token, owner, repo, workflowRunId) => {
const githubApiRequest = require('./github-api-request')
const { artifacts } = await githubApiRequest(
context,
token,
'GET',
`/repos/${owner}/${repo}/actions/runs/${workflowRunId}/artifacts`
)
return artifacts.reduce((map, e) => {
map[e.name] = e.archive_download_url
return map
}, {})
}
const downloadAndUnZip = async (token, url, name) => {
const { spawnSync } = require('child_process')
const auth = token ? ['-H', `Authorization: Bearer ${token}`] : []
const tmpFile = `${process.env.RUNNER_TEMP || process.env.TEMP || '/tmp'}/${name}.zip`
const curl = spawnSync('curl', [...auth, '-Lo', tmpFile, url])
if (curl.error) throw curl.error
const { mkdirSync, rmSync } = require('fs')
await mkdirSync(name, { recursive: true })
const unzip = spawnSync('unzip', ['-d', name, tmpFile])
if (unzip.error) throw unzip.error
rmSync(tmpFile)
}
const architectures = [
{ name: 'x86_64', infix: '-64-bit' },
{ name: 'i686', infix: '-32-bit' },
{ name: 'aarch64', infix: '-arm64' }
]
const artifacts = [
{ name: 'installer', prefix: 'Git', ext: '.exe' },
{ name: 'portable', prefix: 'PortableGit', ext: '.7z.exe' },
{ name: 'mingit', prefix: 'MinGit', ext: '.zip' },
{ name: 'mingit-busybox', prefix: 'MinGit', ext: '.zip', infix: '-busybox' },
{ name: 'archive', prefix: 'Git', ext: '.tar.bz2' }
]
const ranked = artifacts
.map(e => `${e.prefix}${e.infix || ''}${e.ext}`)
.reverse()
const artifactName2Rank = (name) => {
let rank = ranked.indexOf(name
.replace(/-\d+(\.\d+)*(-rc\d+)?/, '')
.replace(/-(32|64)-bit/, '')
) + (name.indexOf('-64-bit') > 0 ? 0.5 : 0)
return rank
}
const downloadBundleArtifacts = async (
context,
token,
owner,
repo,
git_artifacts_i686_workflow_run_id,
git_artifacts_x86_64_workflow_run_id,
git_artifacts_aarch64_workflow_run_id
) => {
for (const architecture of architectures) {
const workflowRunId = {
x86_64: git_artifacts_x86_64_workflow_run_id,
i686: git_artifacts_i686_workflow_run_id,
aarch64: git_artifacts_aarch64_workflow_run_id
}[architecture.name]
const downloadURLs = await getWorkflowRunArtifactsURLs(context, token, owner, repo, workflowRunId)
if (architecture.name === 'x86_64') await downloadAndUnZip(token, downloadURLs['bundle-artifacts'], 'bundle-artifacts')
await downloadAndUnZip(token, downloadURLs['sha256sums'], `${architecture.name}-sha256sums`)
}
const fs = require('fs')
const result = {
tagName: fs.readFileSync('bundle-artifacts/next_version').toString().trim(),
displayVersion: fs.readFileSync('bundle-artifacts/next_version').toString().trim(),
ver: fs.readFileSync('bundle-artifacts/ver').toString().trim(),
gitCommitOID: fs.readFileSync('bundle-artifacts/git-commit-oid').toString().trim(),
sha256sums: {}
}
for (const architecture of architectures) {
fs.readFileSync(`${architecture.name}-sha256sums/sha256sums.txt`)
.toString()
.split('\n')
.forEach(line => {
const pair = line.split(/\s+\*?/)
if (pair && pair.length === 2) result.sha256sums[pair[1]] = pair[0]
})
}
const artifactNames = Object.keys(result.sha256sums).filter(name => !name.endsWith('.nupkg'))
artifactNames.sort((a, b) => artifactName2Rank(b) - artifactName2Rank(a))
const checksums = artifactNames
.map(name => `${name} | ${result.sha256sums[name]}`)
.join('\n')
fs.writeFileSync('bundle-artifacts/sha256sums', checksums)
// Work around out-of-band versions' announcement file containing parentheses
const withParens = result.ver.replace(/^(\d+\.\d+\.\d+)\.(\d+)$/, '$1($2)')
console.log(`withParens: ${withParens}`)
if (result.ver !== withParens) {
if (!fs.existsSync(`bundle-artifacts/announce-${result.ver}`)) {
fs.renameSync(`bundle-artifacts/announce-${withParens}`, `bundle-artifacts/announce-${result.ver}`)
}
if (!fs.existsSync(`bundle-artifacts/release-notes-${result.ver}`)) {
fs.renameSync(`bundle-artifacts/release-notes-${withParens}`, `bundle-artifacts/release-notes-${result.ver}`)
}
}
result.announcement = fs
.readFileSync(`bundle-artifacts/announce-${result.ver}`)
.toString()
.replace('@@CHECKSUMS@@', checksums)
result.releaseNotes = fs
.readFileSync(`bundle-artifacts/release-notes-${result.ver}`)
.toString()
.replace('@@CHECKSUMS@@', checksums)
fs.writeFileSync(`bundle-artifacts/announce-${result.ver}`, result.announcement)
fs.writeFileSync(`bundle-artifacts/release-notes-${result.ver}`, result.releaseNotes)
return result
}
const getGitArtifacts = async (
context,
token,
owner,
repo,
git_artifacts_i686_workflow_run_id,
git_artifacts_x86_64_workflow_run_id,
git_artifacts_aarch64_workflow_run_id
) => {
const fs = require('fs')
const result = []
for (const architecture of architectures) {
const workflowRunId = {
x86_64: git_artifacts_x86_64_workflow_run_id,
i686: git_artifacts_i686_workflow_run_id,
aarch64: git_artifacts_aarch64_workflow_run_id
}[architecture.name]
const urls = await getWorkflowRunArtifactsURLs(context, token, owner, repo, workflowRunId)
for (const artifact of artifacts) {
if (architecture.name === 'aarch64' && artifact.name === 'mingit-busybox') continue
const name = `${artifact.name}-${architecture.name}`
context.log(`Downloading ${name}`)
await downloadAndUnZip(token, urls[name], name)
for (const fileName of fs.readdirSync(name)) {
if (fileName.endsWith('.exe') || fileName.endsWith('.zip') || fileName.endsWith('.tar.bz2')) {
result.push({
name: fileName,
path: `${name}/${fileName}`
})
}
}
}
}
return result
}
const sha256sumsFromReleaseNotes = (releaseNotes) =>
releaseNotes
.split('-------- | -------\n')[1]
.split('\n')
.reduce((checksums, line) => {
const pair = line.split(' | ')
if (pair && pair.length === 2) checksums[pair[0]] = pair[1]
return checksums
}, {})
const calculateSHA256ForFile = async (path) => {
const crypto = require('crypto')
const sha256 = crypto.createHash('sha256')
const handle = (resolve, reject, res) => {
res.on('error', err => reject(err))
res.on('data', data => sha256.update(data))
res.on('end', () => resolve(sha256.digest('hex')))
res.on('finish', () => resolve(sha256.digest('hex')))
}
const fs = require('fs')
const stream = fs.createReadStream(path)
return new Promise((resolve, reject) => {
handle(resolve, reject, stream)
})
}
const checkSHA256Sums = async (_context, gitArtifacts, sha256sums) => {
const unchecked = { ...sha256sums }
for (const gitArtifact of gitArtifacts) {
if (gitArtifact.name.startsWith('pdbs-for-')) continue // the PDBs file does not get checksummed
const expected = unchecked[gitArtifact.name]
if (!expected) throw new Error(`Unexpected file (no SHA-256): '${gitArtifact.name}`)
const calculated = await calculateSHA256ForFile(gitArtifact.path)
if (expected !== calculated) throw new Error(`Unexpected SHA-256 for ${gitArtifact.name} (expected ${expected}, got ${calculated})`)
delete unchecked[gitArtifact.name]
}
const missing = Object.keys(unchecked).filter(name => !name.endsWith('.nupkg'))
if (missing.length > 0) throw new Error(`Missing artifacts: ${missing.join(', ')}`)
}
const uploadGitArtifacts = async (context, token, owner, repo, releaseId, gitArtifacts) => {
context.log(`Uploading Git artifacts: ${gitArtifacts.map(artifact => artifact.name).join(', ')}`)
for (const artifact of gitArtifacts) {
context.log(`Uploading ${artifact.name}`)
await uploadReleaseAsset(context, token, owner, repo, releaseId, artifact.name, artifact.path)
}
context.log('Done uploading Git artifacts')
}
const pushGitTag = (context, setSecret, token, owner, repo, tagName, bundlePath) => {
context.log(`Pushing Git tag ${tagName}`)
const { callGit } = require('./repository-updates')
callGit(['clone',
'--bare', '--single-branch', '--branch', 'main', '--depth', '50',
`https://github.com/${owner}/${repo}`, 'git'
])
// Allow Git to fetch non-local objects by pretending to be a partial clone
callGit(['--git-dir', 'git', 'config', 'remote.origin.promisor', 'true'])
callGit(['--git-dir', 'git', 'config', 'remote.origin.partialCloneFilter', 'blob:none'])
callGit(['--git-dir', 'git', 'fetch', bundlePath, `refs/tags/${tagName}:refs/tags/${tagName}`])
const auth = Buffer.from(`PATH:${token}`).toString('base64')
if (setSecret) setSecret(auth)
callGit(['--git-dir', 'git',
'-c', `http.extraHeader=Authorization: Basic ${auth}`,
'push', `https://github.com/${owner}/${repo}`, `refs/tags/${tagName}`
])
context.log('Done pushing tag')
}
module.exports = {
createRelease,
updateRelease,
uploadReleaseAsset,
getWorkflowRunArtifactsURLs,
downloadAndUnZip,
downloadBundleArtifacts,
getGitArtifacts,
sha256sumsFromReleaseNotes,
calculateSHA256ForFile,
checkSHA256Sums,
uploadGitArtifacts,
pushGitTag
}