forked from angular/angular-cli
-
Notifications
You must be signed in to change notification settings - Fork 0
/
engine.ts
382 lines (310 loc) · 11.8 KB
/
engine.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
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
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
/**
* @license
* Copyright Google Inc. All Rights Reserved.
*
* Use of this source code is governed by an MIT-style license that can be
* found in the LICENSE file at https://angular.io/license
*/
import { BaseException, PriorityQueue, logging } from '@angular-devkit/core';
import { Observable, from as observableFrom } from 'rxjs';
import { concatMap } from 'rxjs/operators';
import { Url } from 'url';
import { MergeStrategy } from '../tree/interface';
import { NullTree } from '../tree/null';
import { empty } from '../tree/static';
import { Workflow } from '../workflow/interface';
import {
Collection,
CollectionDescription,
Engine,
EngineHost,
ExecutionOptions,
Schematic,
SchematicContext,
SchematicDescription,
Source,
TaskConfiguration,
TaskConfigurationGenerator,
TaskExecutor,
TaskId,
TaskInfo,
TypedSchematicContext,
} from './interface';
import { SchematicImpl } from './schematic';
export class UnknownUrlSourceProtocol extends BaseException {
constructor(url: string) { super(`Unknown Protocol on url "${url}".`); }
}
export class UnknownCollectionException extends BaseException {
constructor(name: string) { super(`Unknown collection "${name}".`); }
}
export class CircularCollectionException extends BaseException {
constructor(name: string) {
super(`Circular collection reference "${name}".`);
}
}
export class UnknownSchematicException extends BaseException {
constructor(name: string, collection: CollectionDescription<{}>) {
super(`Schematic "${name}" not found in collection "${collection.name}".`);
}
}
export class PrivateSchematicException extends BaseException {
constructor(name: string, collection: CollectionDescription<{}>) {
super(`Schematic "${name}" not found in collection "${collection.name}".`);
}
}
export class SchematicEngineConflictingException extends BaseException {
constructor() { super(`A schematic was called from a different engine as its parent.`); }
}
export class UnregisteredTaskException extends BaseException {
constructor(name: string, schematic?: SchematicDescription<{}, {}>) {
const addendum = schematic ? ` in schematic "${schematic.name}"` : '';
super(`Unregistered task "${name}"${addendum}.`);
}
}
export class UnknownTaskDependencyException extends BaseException {
constructor(id: TaskId) {
super(`Unknown task dependency [ID: ${id.id}].`);
}
}
export class CollectionImpl<CollectionT extends object, SchematicT extends object>
implements Collection<CollectionT, SchematicT> {
constructor(private _description: CollectionDescription<CollectionT>,
private _engine: SchematicEngine<CollectionT, SchematicT>,
public readonly baseDescriptions?: Array<CollectionDescription<CollectionT>>) {
}
get description() { return this._description; }
get name() { return this.description.name || '<unknown>'; }
createSchematic(name: string, allowPrivate = false): Schematic<CollectionT, SchematicT> {
return this._engine.createSchematic(name, this, allowPrivate);
}
listSchematicNames(): string[] {
return this._engine.listSchematicNames(this);
}
}
export class TaskScheduler {
private _queue = new PriorityQueue<TaskInfo>((x, y) => x.priority - y.priority);
private _taskIds = new Map<TaskId, TaskInfo>();
private static _taskIdCounter = 1;
constructor(private _context: SchematicContext) {}
private _calculatePriority(dependencies: Set<TaskInfo>): number {
if (dependencies.size === 0) {
return 0;
}
const prio = [...dependencies].reduce((prio, task) => prio + task.priority, 1);
return prio;
}
private _mapDependencies(dependencies?: Array<TaskId>): Set<TaskInfo> {
if (!dependencies) {
return new Set();
}
const tasks = dependencies.map(dep => {
const task = this._taskIds.get(dep);
if (!task) {
throw new UnknownTaskDependencyException(dep);
}
return task;
});
return new Set(tasks);
}
schedule<T>(taskConfiguration: TaskConfiguration<T>): TaskId {
const dependencies = this._mapDependencies(taskConfiguration.dependencies);
const priority = this._calculatePriority(dependencies);
const task = {
id: TaskScheduler._taskIdCounter++,
priority,
configuration: taskConfiguration,
context: this._context,
};
this._queue.push(task);
const id = { id: task.id };
this._taskIds.set(id, task);
return id;
}
finalize(): ReadonlyArray<TaskInfo> {
const tasks = this._queue.toArray();
this._queue.clear();
this._taskIds.clear();
return tasks;
}
}
export class SchematicEngine<CollectionT extends object, SchematicT extends object>
implements Engine<CollectionT, SchematicT> {
private _collectionCache = new Map<string, CollectionImpl<CollectionT, SchematicT>>();
private _schematicCache
= new Map<string, Map<string, SchematicImpl<CollectionT, SchematicT>>>();
private _taskSchedulers = new Array<TaskScheduler>();
constructor(private _host: EngineHost<CollectionT, SchematicT>, protected _workflow?: Workflow) {
}
get workflow() { return this._workflow || null; }
get defaultMergeStrategy() { return this._host.defaultMergeStrategy || MergeStrategy.Default; }
createCollection(name: string): Collection<CollectionT, SchematicT> {
let collection = this._collectionCache.get(name);
if (collection) {
return collection;
}
const [description, bases] = this._createCollectionDescription(name);
collection = new CollectionImpl<CollectionT, SchematicT>(description, this, bases);
this._collectionCache.set(name, collection);
this._schematicCache.set(name, new Map());
return collection;
}
private _createCollectionDescription(
name: string,
parentNames?: Set<string>,
): [CollectionDescription<CollectionT>, Array<CollectionDescription<CollectionT>>] {
const description = this._host.createCollectionDescription(name);
if (!description) {
throw new UnknownCollectionException(name);
}
if (parentNames && parentNames.has(description.name)) {
throw new CircularCollectionException(name);
}
const bases = new Array<CollectionDescription<CollectionT>>();
if (description.extends) {
parentNames = (parentNames || new Set<string>()).add(description.name);
for (const baseName of description.extends) {
const [base, baseBases] = this._createCollectionDescription(baseName, new Set(parentNames));
bases.unshift(base, ...baseBases);
}
}
return [description, bases];
}
createContext(
schematic: Schematic<CollectionT, SchematicT>,
parent?: Partial<TypedSchematicContext<CollectionT, SchematicT>>,
executionOptions?: Partial<ExecutionOptions>,
): TypedSchematicContext<CollectionT, SchematicT> {
// Check for inconsistencies.
if (parent && parent.engine && parent.engine !== this) {
throw new SchematicEngineConflictingException();
}
let interactive = true;
if (executionOptions && executionOptions.interactive != undefined) {
interactive = executionOptions.interactive;
} else if (parent && parent.interactive != undefined) {
interactive = parent.interactive;
}
let context: TypedSchematicContext<CollectionT, SchematicT> = {
debug: parent && parent.debug || false,
engine: this,
logger: (parent && parent.logger && parent.logger.createChild(schematic.description.name))
|| new logging.NullLogger(),
schematic,
strategy: (parent && parent.strategy !== undefined)
? parent.strategy : this.defaultMergeStrategy,
interactive,
addTask,
};
const maybeNewContext = this._host.transformContext(context);
if (maybeNewContext) {
context = maybeNewContext;
}
const taskScheduler = new TaskScheduler(context);
const host = this._host;
this._taskSchedulers.push(taskScheduler);
function addTask<T>(
task: TaskConfigurationGenerator<T>,
dependencies?: Array<TaskId>,
): TaskId {
const config = task.toConfiguration();
if (!host.hasTaskExecutor(config.name)) {
throw new UnregisteredTaskException(config.name, schematic.description);
}
config.dependencies = config.dependencies || [];
if (dependencies) {
config.dependencies.unshift(...dependencies);
}
return taskScheduler.schedule(config);
}
return context;
}
createSchematic(
name: string,
collection: Collection<CollectionT, SchematicT>,
allowPrivate = false,
): Schematic<CollectionT, SchematicT> {
const collectionImpl = this._collectionCache.get(collection.description.name);
const schematicMap = this._schematicCache.get(collection.description.name);
if (!collectionImpl || !schematicMap || collectionImpl !== collection) {
// This is weird, maybe the collection was created by another engine?
throw new UnknownCollectionException(collection.description.name);
}
let schematic = schematicMap.get(name);
if (schematic) {
return schematic;
}
let collectionDescription = collection.description;
let description = this._host.createSchematicDescription(name, collection.description);
if (!description) {
if (collection.baseDescriptions) {
for (const base of collection.baseDescriptions) {
description = this._host.createSchematicDescription(name, base);
if (description) {
collectionDescription = base;
break;
}
}
}
if (!description) {
// Report the error for the top level schematic collection
throw new UnknownSchematicException(name, collection.description);
}
}
if (description.private && !allowPrivate) {
throw new PrivateSchematicException(name, collection.description);
}
const factory = this._host.getSchematicRuleFactory(description, collectionDescription);
schematic = new SchematicImpl<CollectionT, SchematicT>(description, factory, collection, this);
schematicMap.set(name, schematic);
return schematic;
}
listSchematicNames(collection: Collection<CollectionT, SchematicT>): string[] {
const names = this._host.listSchematicNames(collection.description);
if (collection.baseDescriptions) {
for (const base of collection.baseDescriptions) {
names.push(...this._host.listSchematicNames(base));
}
}
// remove duplicates
return [...new Set(names)].sort();
}
transformOptions<OptionT extends object, ResultT extends object>(
schematic: Schematic<CollectionT, SchematicT>,
options: OptionT,
context?: TypedSchematicContext<CollectionT, SchematicT>,
): Observable<ResultT> {
return this._host.transformOptions<OptionT, ResultT>(schematic.description, options, context);
}
createSourceFromUrl(url: Url, context: TypedSchematicContext<CollectionT, SchematicT>): Source {
switch (url.protocol) {
case 'null:': return () => new NullTree();
case 'empty:': return () => empty();
default:
const hostSource = this._host.createSourceFromUrl(url, context);
if (!hostSource) {
throw new UnknownUrlSourceProtocol(url.toString());
}
return hostSource;
}
}
executePostTasks(): Observable<void> {
const executors = new Map<string, TaskExecutor>();
const taskObservable = observableFrom(this._taskSchedulers)
.pipe(
concatMap(scheduler => scheduler.finalize()),
concatMap(task => {
const { name, options } = task.configuration;
const executor = executors.get(name);
if (executor) {
return executor(options, task.context);
}
return this._host.createTaskExecutor(name)
.pipe(concatMap(executor => {
executors.set(name, executor);
return executor(options, task.context);
}));
}),
);
return taskObservable;
}
}