Skip to content

Commit e35ecea

Browse files
JoostKAndrewKushnir
authored andcommitted
perf(compiler-cli): detect semantic changes and their effect on an incremental rebuild (#40947)
In Angular programs, changing a file may require other files to be emitted as well due to implicit NgModule dependencies. For example, if the selector of a directive is changed then all components that have that directive in their compilation scope need to be recompiled, as the change of selector may affect the directive matching results. Until now, the compiler solved this problem using a single dependency graph. The implicit NgModule dependencies were represented in this graph, such that a changed file would correctly also cause other files to be re-emitted. This approach is limited in a few ways: 1. The file dependency graph is used to determine whether it is safe to reuse the analysis data of an Angular decorated class. This analysis data is invariant to unrelated changes to the NgModule scope, but because the single dependency graph also tracked the implicit NgModule dependencies the compiler had to consider analysis data as stale far more often than necessary. 2. It is typical for a change to e.g. a directive to not affect its public API—its selector, inputs, outputs, or exportAs clause—in which case there is no need to re-emit all declarations in scope, as their compilation output wouldn't have changed. This commit implements a mechanism by which the compiler is able to determine the impact of a change by comparing it to the prior compilation. To achieve this, a new graph is maintained that tracks all public API information of all Angular decorated symbols. During an incremental compilation this information is compared to the information that was captured in the most recently succeeded compilation. This determines the exact impact of the changes to the public API, which is then used to determine which files need to be re-emitted. Note that the file dependency graph remains, as it is still used to track the dependencies of analysis data. This graph does no longer track the implicit NgModule dependencies, which allows for better reuse of analysis data. These changes also fix a bug where template type-checking would fail to incorporate changes made to a transitive base class of a directive/component. This used to be a problem because transitive base classes were not recorded as a transitive dependency in the file dependency graph, such that prior type-check blocks would erroneously be reused. This commit also fixes an incorrectness where a change to a declaration in NgModule `A` would not cause the declarations in NgModules that import from NgModule `A` to be re-emitted. This was intentionally incorrect as otherwise the performance of incremental rebuilds would have been far worse. This is no longer a concern, as the compiler is now able to only re-emit when actually necessary. Fixes #34867 Fixes #40635 Closes #40728 PR Close #40947
1 parent 67d3062 commit e35ecea

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

43 files changed

+5253
-378
lines changed

packages/compiler-cli/ngcc/BUILD.bazel

+1
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@ ts_library(
1919
"//packages/compiler-cli/src/ngtsc/file_system",
2020
"//packages/compiler-cli/src/ngtsc/imports",
2121
"//packages/compiler-cli/src/ngtsc/incremental:api",
22+
"//packages/compiler-cli/src/ngtsc/incremental/semantic_graph",
2223
"//packages/compiler-cli/src/ngtsc/logging",
2324
"//packages/compiler-cli/src/ngtsc/metadata",
2425
"//packages/compiler-cli/src/ngtsc/partial_evaluator",

packages/compiler-cli/ngcc/src/analysis/decoration_analyzer.ts

+6-3
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@ import {CycleAnalyzer, CycleHandlingStrategy, ImportGraph} from '../../../src/ng
1414
import {isFatalDiagnosticError} from '../../../src/ngtsc/diagnostics';
1515
import {absoluteFromSourceFile, LogicalFileSystem, ReadonlyFileSystem} from '../../../src/ngtsc/file_system';
1616
import {AbsoluteModuleStrategy, LocalIdentifierStrategy, LogicalProjectStrategy, ModuleResolver, NOOP_DEFAULT_IMPORT_RECORDER, PrivateExportAliasingHost, Reexport, ReferenceEmitter} from '../../../src/ngtsc/imports';
17+
import {SemanticSymbol} from '../../../src/ngtsc/incremental/semantic_graph';
1718
import {CompoundMetadataReader, CompoundMetadataRegistry, DtsMetadataReader, InjectableClassRegistry, LocalMetadataRegistry, ResourceRegistry} from '../../../src/ngtsc/metadata';
1819
import {PartialEvaluator} from '../../../src/ngtsc/partial_evaluator';
1920
import {LocalModuleScopeRegistry, MetadataDtsModuleScopeResolver, TypeCheckScopeRegistry} from '../../../src/ngtsc/scope';
@@ -92,7 +93,7 @@ export class DecorationAnalyzer {
9293
cycleAnalyzer = new CycleAnalyzer(this.importGraph);
9394
injectableRegistry = new InjectableClassRegistry(this.reflectionHost);
9495
typeCheckScopeRegistry = new TypeCheckScopeRegistry(this.scopeRegistry, this.fullMetaReader);
95-
handlers: DecoratorHandler<unknown, unknown, unknown>[] = [
96+
handlers: DecoratorHandler<unknown, unknown, SemanticSymbol|null, unknown>[] = [
9697
new ComponentDecoratorHandler(
9798
this.reflectionHost, this.evaluator, this.fullRegistry, this.fullMetaReader,
9899
this.scopeRegistry, this.scopeRegistry, this.typeCheckScopeRegistry, new ResourceRegistry(),
@@ -103,19 +104,21 @@ export class DecorationAnalyzer {
103104
/* i18nNormalizeLineEndingsInICUs */ false, this.moduleResolver, this.cycleAnalyzer,
104105
CycleHandlingStrategy.UseRemoteScoping, this.refEmitter, NOOP_DEFAULT_IMPORT_RECORDER,
105106
NOOP_DEPENDENCY_TRACKER, this.injectableRegistry,
106-
!!this.compilerOptions.annotateForClosureCompiler),
107+
/* semanticDepGraphUpdater */ null, !!this.compilerOptions.annotateForClosureCompiler),
108+
107109
// See the note in ngtsc about why this cast is needed.
108110
// clang-format off
109111
new DirectiveDecoratorHandler(
110112
this.reflectionHost, this.evaluator, this.fullRegistry, this.scopeRegistry,
111113
this.fullMetaReader, NOOP_DEFAULT_IMPORT_RECORDER, this.injectableRegistry, this.isCore,
114+
/* semanticDepGraphUpdater */ null,
112115
!!this.compilerOptions.annotateForClosureCompiler,
113116
// In ngcc we want to compile undecorated classes with Angular features. As of
114117
// version 10, undecorated classes that use Angular features are no longer handled
115118
// in ngtsc, but we want to ensure compatibility in ngcc for outdated libraries that
116119
// have not migrated to explicit decorators. See: https://hackmd.io/@alx/ryfYYuvzH.
117120
/* compileUndecoratedClassesWithAngularFeatures */ true
118-
) as DecoratorHandler<unknown, unknown, unknown>,
121+
) as DecoratorHandler<unknown, unknown, SemanticSymbol|null,unknown>,
119122
// clang-format on
120123
// Pipe handler must be before injectable handler in list so pipe factories are printed
121124
// before injectable factories (so injectable factories can delegate to them)

packages/compiler-cli/ngcc/src/analysis/ngcc_trait_compiler.ts

+5-3
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@
88
import * as ts from 'typescript';
99

1010
import {IncrementalBuild} from '../../../src/ngtsc/incremental/api';
11+
import {SemanticSymbol} from '../../../src/ngtsc/incremental/semantic_graph';
1112
import {NOOP_PERF_RECORDER} from '../../../src/ngtsc/perf';
1213
import {ClassDeclaration, Decorator} from '../../../src/ngtsc/reflection';
1314
import {CompilationMode, DecoratorHandler, DtsTransformRegistry, HandlerFlags, Trait, TraitCompiler} from '../../../src/ngtsc/transform';
@@ -22,11 +23,12 @@ import {isDefined} from '../utils';
2223
*/
2324
export class NgccTraitCompiler extends TraitCompiler {
2425
constructor(
25-
handlers: DecoratorHandler<unknown, unknown, unknown>[],
26+
handlers: DecoratorHandler<unknown, unknown, SemanticSymbol|null, unknown>[],
2627
private ngccReflector: NgccReflectionHost) {
2728
super(
2829
handlers, ngccReflector, NOOP_PERF_RECORDER, new NoIncrementalBuild(),
29-
/* compileNonExportedClasses */ true, CompilationMode.FULL, new DtsTransformRegistry());
30+
/* compileNonExportedClasses */ true, CompilationMode.FULL, new DtsTransformRegistry(),
31+
/* semanticDepGraphUpdater */ null);
3032
}
3133

3234
get analyzedFiles(): ts.SourceFile[] {
@@ -54,7 +56,7 @@ export class NgccTraitCompiler extends TraitCompiler {
5456
* @param flags optional bitwise flag to influence the compilation of the decorator.
5557
*/
5658
injectSyntheticDecorator(clazz: ClassDeclaration, decorator: Decorator, flags?: HandlerFlags):
57-
Trait<unknown, unknown, unknown>[] {
59+
Trait<unknown, unknown, SemanticSymbol|null, unknown>[] {
5860
const migratedTraits = this.detectTraits(clazz, [decorator]);
5961
if (migratedTraits === null) {
6062
return [];

packages/compiler-cli/ngcc/src/analysis/util.ts

-2
Original file line numberDiff line numberDiff line change
@@ -16,8 +16,6 @@ export function isWithinPackage(packagePath: AbsoluteFsPath, filePath: AbsoluteF
1616
class NoopDependencyTracker implements DependencyTracker {
1717
addDependency(): void {}
1818
addResourceDependency(): void {}
19-
addTransitiveDependency(): void {}
20-
addTransitiveResources(): void {}
2119
recordDependencyAnalysisFailure(): void {}
2220
}
2321

packages/compiler-cli/ngcc/test/BUILD.bazel

+1
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@ ts_library(
1919
"//packages/compiler-cli/src/ngtsc/file_system",
2020
"//packages/compiler-cli/src/ngtsc/file_system/testing",
2121
"//packages/compiler-cli/src/ngtsc/imports",
22+
"//packages/compiler-cli/src/ngtsc/incremental/semantic_graph",
2223
"//packages/compiler-cli/src/ngtsc/logging/testing",
2324
"//packages/compiler-cli/src/ngtsc/partial_evaluator",
2425
"//packages/compiler-cli/src/ngtsc/reflection",

packages/compiler-cli/ngcc/test/analysis/decoration_analyzer_spec.ts

+9-3
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ import * as ts from 'typescript';
1010
import {FatalDiagnosticError, makeDiagnostic} from '../../../src/ngtsc/diagnostics';
1111
import {absoluteFrom, getFileSystem, getSourceFileOrError} from '../../../src/ngtsc/file_system';
1212
import {runInEachFileSystem, TestFile} from '../../../src/ngtsc/file_system/testing';
13+
import {SemanticSymbol} from '../../../src/ngtsc/incremental/semantic_graph';
1314
import {MockLogger} from '../../../src/ngtsc/logging/testing';
1415
import {ClassDeclaration, DeclarationNode, Decorator} from '../../../src/ngtsc/reflection';
1516
import {loadFakeCore, loadTestFiles} from '../../../src/ngtsc/testing';
@@ -21,8 +22,9 @@ import {Esm2015ReflectionHost} from '../../src/host/esm2015_host';
2122
import {Migration, MigrationHost} from '../../src/migrations/migration';
2223
import {getRootFiles, makeTestEntryPointBundle} from '../helpers/utils';
2324

24-
type DecoratorHandlerWithResolve = DecoratorHandler<unknown, unknown, unknown>&{
25-
resolve: NonNullable<DecoratorHandler<unknown, unknown, unknown>['resolve']>;
25+
type DecoratorHandlerWithResolve =
26+
DecoratorHandler<unknown, unknown, SemanticSymbol|null, unknown>&{
27+
resolve: NonNullable<DecoratorHandler<unknown, unknown, SemanticSymbol|null, unknown>['resolve']>;
2628
};
2729

2830
runInEachFileSystem(() => {
@@ -46,6 +48,7 @@ runInEachFileSystem(() => {
4648
const handler = jasmine.createSpyObj<DecoratorHandlerWithResolve>('TestDecoratorHandler', [
4749
'detect',
4850
'analyze',
51+
'symbol',
4952
'register',
5053
'resolve',
5154
'compileFull',
@@ -442,7 +445,7 @@ runInEachFileSystem(() => {
442445

443446
describe('declaration files', () => {
444447
it('should not run decorator handlers against declaration files', () => {
445-
class FakeDecoratorHandler implements DecoratorHandler<{}|null, unknown, unknown> {
448+
class FakeDecoratorHandler implements DecoratorHandler<{}|null, unknown, null, unknown> {
446449
name = 'FakeDecoratorHandler';
447450
precedence = HandlerPrecedence.PRIMARY;
448451

@@ -452,6 +455,9 @@ runInEachFileSystem(() => {
452455
analyze(): AnalysisOutput<unknown> {
453456
throw new Error('analyze should not have been called');
454457
}
458+
symbol(): null {
459+
throw new Error('symbol should not have been called');
460+
}
455461
compileFull(): CompileResult {
456462
throw new Error('compile should not have been called');
457463
}

packages/compiler-cli/ngcc/test/analysis/migration_host_spec.ts

+13-3
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,7 @@ import * as ts from 'typescript';
1111
import {makeDiagnostic} from '../../../src/ngtsc/diagnostics';
1212
import {absoluteFrom} from '../../../src/ngtsc/file_system';
1313
import {runInEachFileSystem} from '../../../src/ngtsc/file_system/testing';
14+
import {SemanticSymbol} from '../../../src/ngtsc/incremental/semantic_graph';
1415
import {MockLogger} from '../../../src/ngtsc/logging/testing';
1516
import {ClassDeclaration, Decorator, isNamedClassDeclaration} from '../../../src/ngtsc/reflection';
1617
import {getDeclaration, loadTestFiles} from '../../../src/ngtsc/testing';
@@ -44,7 +45,8 @@ runInEachFileSystem(() => {
4445
});
4546

4647
function createMigrationHost({entryPoint, handlers}: {
47-
entryPoint: EntryPointBundle; handlers: DecoratorHandler<unknown, unknown, unknown>[]
48+
entryPoint: EntryPointBundle;
49+
handlers: DecoratorHandler<unknown, unknown, SemanticSymbol|null, unknown>[]
4850
}) {
4951
const reflectionHost = new Esm2015ReflectionHost(new MockLogger(), false, entryPoint.src);
5052
const compiler = new NgccTraitCompiler(handlers, reflectionHost);
@@ -190,7 +192,7 @@ runInEachFileSystem(() => {
190192
});
191193
});
192194

193-
class DetectDecoratorHandler implements DecoratorHandler<unknown, unknown, unknown> {
195+
class DetectDecoratorHandler implements DecoratorHandler<unknown, unknown, null, unknown> {
194196
readonly name = DetectDecoratorHandler.name;
195197

196198
constructor(private decorator: string, readonly precedence: HandlerPrecedence) {}
@@ -210,12 +212,16 @@ class DetectDecoratorHandler implements DecoratorHandler<unknown, unknown, unkno
210212
return {};
211213
}
212214

215+
symbol(node: ClassDeclaration, analysis: Readonly<unknown>): null {
216+
return null;
217+
}
218+
213219
compileFull(node: ClassDeclaration): CompileResult|CompileResult[] {
214220
return [];
215221
}
216222
}
217223

218-
class DiagnosticProducingHandler implements DecoratorHandler<unknown, unknown, unknown> {
224+
class DiagnosticProducingHandler implements DecoratorHandler<unknown, unknown, null, unknown> {
219225
readonly name = DiagnosticProducingHandler.name;
220226
readonly precedence = HandlerPrecedence.PRIMARY;
221227

@@ -228,6 +234,10 @@ class DiagnosticProducingHandler implements DecoratorHandler<unknown, unknown, u
228234
return {diagnostics: [makeDiagnostic(9999, node, 'test diagnostic')]};
229235
}
230236

237+
symbol(node: ClassDeclaration, analysis: Readonly<unknown>): null {
238+
return null;
239+
}
240+
231241
compileFull(node: ClassDeclaration): CompileResult|CompileResult[] {
232242
return [];
233243
}

packages/compiler-cli/ngcc/test/analysis/ngcc_trait_compiler_spec.ts

+8-2
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,7 @@
99
import {ErrorCode, makeDiagnostic, ngErrorCode} from '../../../src/ngtsc/diagnostics';
1010
import {absoluteFrom} from '../../../src/ngtsc/file_system';
1111
import {runInEachFileSystem} from '../../../src/ngtsc/file_system/testing';
12+
import {SemanticSymbol} from '../../../src/ngtsc/incremental/semantic_graph';
1213
import {MockLogger} from '../../../src/ngtsc/logging/testing';
1314
import {ClassDeclaration, Decorator, isNamedClassDeclaration} from '../../../src/ngtsc/reflection';
1415
import {getDeclaration, loadTestFiles} from '../../../src/ngtsc/testing';
@@ -39,7 +40,8 @@ runInEachFileSystem(() => {
3940
});
4041

4142
function createCompiler({entryPoint, handlers}: {
42-
entryPoint: EntryPointBundle; handlers: DecoratorHandler<unknown, unknown, unknown>[]
43+
entryPoint: EntryPointBundle;
44+
handlers: DecoratorHandler<unknown, unknown, SemanticSymbol|null, unknown>[]
4345
}) {
4446
const reflectionHost = new Esm2015ReflectionHost(new MockLogger(), false, entryPoint.src);
4547
return new NgccTraitCompiler(handlers, reflectionHost);
@@ -295,7 +297,7 @@ runInEachFileSystem(() => {
295297
});
296298
});
297299

298-
class TestHandler implements DecoratorHandler<unknown, unknown, unknown> {
300+
class TestHandler implements DecoratorHandler<unknown, unknown, null, unknown> {
299301
constructor(readonly name: string, protected log: string[]) {}
300302

301303
precedence = HandlerPrecedence.PRIMARY;
@@ -310,6 +312,10 @@ class TestHandler implements DecoratorHandler<unknown, unknown, unknown> {
310312
return {};
311313
}
312314

315+
symbol(node: ClassDeclaration, analysis: Readonly<unknown>): null {
316+
return null;
317+
}
318+
313319
compileFull(node: ClassDeclaration): CompileResult|CompileResult[] {
314320
this.log.push(this.name + ':compile:' + node.name.text);
315321
return [];

packages/compiler-cli/ngcc/test/host/util.ts

+4-1
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,8 @@
77
*/
88
import {Trait, TraitState} from '@angular/compiler-cli/src/ngtsc/transform';
99
import * as ts from 'typescript';
10+
11+
import {SemanticSymbol} from '../../../src/ngtsc/incremental/semantic_graph';
1012
import {CtorParameter, TypeValueReferenceKind} from '../../../src/ngtsc/reflection';
1113

1214
/**
@@ -50,7 +52,8 @@ export function expectTypeValueReferencesForParameters(
5052
});
5153
}
5254

53-
export function getTraitDiagnostics(trait: Trait<unknown, unknown, unknown>): ts.Diagnostic[]|null {
55+
export function getTraitDiagnostics(trait: Trait<unknown, unknown, SemanticSymbol|null, unknown>):
56+
ts.Diagnostic[]|null {
5457
if (trait.state === TraitState.Analyzed) {
5558
return trait.analysisDiagnostics;
5659
} else if (trait.state === TraitState.Resolved) {

packages/compiler-cli/src/ngtsc/annotations/BUILD.bazel

+1
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@ ts_library(
1414
"//packages/compiler-cli/src/ngtsc/file_system",
1515
"//packages/compiler-cli/src/ngtsc/imports",
1616
"//packages/compiler-cli/src/ngtsc/incremental:api",
17+
"//packages/compiler-cli/src/ngtsc/incremental/semantic_graph",
1718
"//packages/compiler-cli/src/ngtsc/indexer",
1819
"//packages/compiler-cli/src/ngtsc/metadata",
1920
"//packages/compiler-cli/src/ngtsc/partial_evaluator",

0 commit comments

Comments
 (0)