-
-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathghPages.ts
245 lines (221 loc) Β· 7.26 KB
/
ghPages.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
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
import * as fs from 'fs';
import * as path from 'path';
import { Octokit } from '@octokit/rest';
import simpleGit from 'simple-git';
import { GitHubGlobalConfig, TargetConfig } from '../schemas/project_config';
import { ConfigurationError, reportError } from '../utils/errors';
import { withTempDir } from '../utils/files';
import {
getGitHubApiToken,
getGitHubClient,
GitHubRemote,
getGitHubAuthHeader,
} from '../utils/githubApi';
import { isDryRun } from '../utils/helpers';
import { extractZipArchive } from '../utils/system';
import { BaseTarget } from './base';
import { BaseArtifactProvider } from '../artifact_providers/base';
/**
* Regex for docs archives
*/
const DEFAULT_DEPLOY_ARCHIVE_REGEX = /^(?:.+-)?gh-pages\.zip$/;
const DEFAULT_DEPLOY_BRANCH = 'gh-pages';
/** Target options for "gh-pages" */
export interface GhPagesConfig {
/** GitHub project owner */
githubOwner: string;
/** GitHub project name */
githubRepo: string;
/** Git branch to push assets to */
branch: string;
}
/**
* Target responsible for publishing static assets to GitHub pages
*/
export class GhPagesTarget extends BaseTarget {
/** Target name */
public readonly name: string = 'gh-pages';
/** Target options */
public readonly ghPagesConfig: GhPagesConfig;
/** GitHub client */
public readonly github: Octokit;
/** GitHub repo configuration */
public readonly githubRepo: GitHubGlobalConfig;
public constructor(
config: TargetConfig,
artifactProvider: BaseArtifactProvider,
githubRepo: GitHubGlobalConfig
) {
super(config, artifactProvider, githubRepo);
this.github = getGitHubClient();
this.githubRepo = githubRepo;
this.ghPagesConfig = this.getGhPagesConfig();
}
/**
* Extracts "gh-pages" target options from the raw configuration
*/
public getGhPagesConfig(): GhPagesConfig {
let githubOwner;
let githubRepo;
if (this.config.githubOwner && this.config.githubRepo) {
githubOwner = this.config.githubOwner;
githubRepo = this.config.githubRepo;
} else if (!this.config.githubOwner && !this.config.githubRepo) {
githubOwner = this.githubRepo.owner;
githubRepo = this.githubRepo.repo;
} else {
throw new ConfigurationError(
'[gh-pages] Invalid repository configuration: check repo owner and name'
);
}
const branch = this.config.branch || DEFAULT_DEPLOY_BRANCH;
return {
branch,
githubOwner,
githubRepo,
};
}
/**
* Extracts ZIP archive to the provided directory with some additional checks
*
* The method checks that the target directory is an empty directory, or an
* empty (without any files) git repository. If the extracted archive contains
* a single top-most parent directory, all the data from it is copied to the
* parent directory.
*
* @param archivePath Path to the ZIP archive
* @param directory Path to the directory
*/
public async extractAssets(
archivePath: string,
directory: string
): Promise<void> {
// Check that the directory is empty
const dirContents = fs.readdirSync(directory).filter(f => f !== '.git');
if (dirContents.length > 0) {
throw new Error(
'Destination directory is not empty: cannot extract the acrhive!'
);
}
// Extract the archive
this.logger.info(`Extracting "${archivePath}" to "${directory}"...`);
await extractZipArchive(archivePath, directory);
// If there's a single top-level directory -- move its contents to the git root
const newDirContents = fs.readdirSync(directory).filter(f => f !== '.git');
if (
newDirContents.length === 1 &&
fs.statSync(path.join(directory, newDirContents[0])).isDirectory()
) {
this.logger.debug(
'Single top-level directory found, moving files from it...'
);
const innerDirPath = path.join(directory, newDirContents[0]);
fs.readdirSync(innerDirPath).forEach(item => {
const srcPath = path.join(innerDirPath, item);
const destPath = path.join(directory, item);
fs.renameSync(srcPath, destPath);
});
fs.rmdirSync(innerDirPath);
}
}
/**
* Extracts the contents of the given archive, and then commits them
*
* @param directory Path to the git repo
* @param remote Object representing GitHub remote
* @param branch Branch to push
* @param archivePath Path to the archive
* @param version Version to deploy
*/
public async commitArchiveToBranch(
directory: string,
remote: GitHubRemote,
branch: string,
archivePath: string,
version: string
): Promise<void> {
const git = simpleGit(directory);
/** Add the GitHub token to the git auth header */
await git.raw(getGitHubAuthHeader());
this.logger.info(
`Cloning "${remote.getRemoteString()}" to "${directory}"...`
);
await git.clone(remote.getRemoteString(), directory);
this.logger.debug(`Checking out branch: "${branch}"`);
try {
await git.checkout([branch]);
} catch (e) {
if (!e.message.match(/pathspec .* did not match any file/)) {
throw e;
}
this.logger.debug(
`Branch ${branch} does not exist, creating a new orphaned branch...`
);
await git.checkout(['--orphan', branch]);
}
// Additional check, just in case
const repoStatus = await git.status();
if (repoStatus.current !== 'No' && repoStatus.current !== branch) {
throw new Error(
`Something went very wrong: cannot switch to branch "${branch}"`
);
}
// Clean the previous state
this.logger.debug(`Removing existing files from the working tree...`);
await git.rm(['-r', '-f', '.']);
// Extract the archive
await this.extractAssets(archivePath, directory);
// Commit
await git.add(['.']);
await git.commit(`craft(gh-pages): update, version "${version}"`);
// Push!
this.logger.info(`Pushing branch "${branch}"...`);
if (!isDryRun()) {
await git.push('origin', branch, ['--set-upstream']);
} else {
this.logger.info('[dry-run] Not pushing the branch.');
}
}
/**
* Pushes an archive with static HTML web assets to the configured branch
*/
public async publish(version: string, revision: string): Promise<any> {
const { githubOwner, githubRepo, branch } = this.ghPagesConfig;
this.logger.debug('Fetching artifact list...');
const packageFiles = await this.getArtifactsForRevision(revision, {
includeNames: DEFAULT_DEPLOY_ARCHIVE_REGEX,
});
if (!packageFiles.length) {
reportError('Cannot release to GH-pages: no artifacts found');
return undefined;
} else if (packageFiles.length > 1) {
reportError(
`Not implemented: more than one gh-pages archive found\nDetails: ${JSON.stringify(
packageFiles
)}`
);
return undefined;
}
const archivePath = await this.artifactProvider.downloadArtifact(
packageFiles[0]
);
const remote = new GitHubRemote(
githubOwner,
githubRepo,
getGitHubApiToken()
);
await withTempDir(
async directory =>
this.commitArchiveToBranch(
directory,
remote,
branch,
archivePath,
version
),
true,
'craft-gh-pages-'
);
this.logger.info('GitHub pages release complete');
}
}