blob: 6f109b36bf3f7fec2d60b924afb5cda2814f6368 [file] [log] [blame]
// Copyright (c) 2018, the Dart project authors. Please see the AUTHORS file
// for details. All rights reserved. Use of this source code is governed by a
// BSD-style license that can be found in the LICENSE file.
/// Defines wrapper class around incremental compiler to support
/// the flow, where incremental deltas can be rejected by VM.
import 'dart:async';
import 'dart:developer';
import 'package:front_end/src/api_unstable/vm.dart';
import 'package:kernel/class_hierarchy.dart' show ClassHierarchy;
import 'package:kernel/core_types.dart' show CoreTypes;
import 'package:kernel/kernel.dart';
const String kDebugProcedureName = ":Eval";
/// Wrapper around [IncrementalKernelGenerator] that keeps track of rejected
/// deltas and combines them together into resultant program until it is
/// accepted.
class IncrementalCompiler {
late IncrementalKernelGenerator _generator;
IncrementalSerializer? incrementalSerializer;
// Component that reflect the state that was most recently accepted by the
// client. Is [null], if no compilation results were accepted by the client.
IncrementalCompilerResult? _lastKnownGood;
late List<IncrementalCompilerResult> _pendingDeltas;
CompilerOptions _compilerOptions;
bool initialized = false;
bool fullComponent = false;
Uri? initializeFromDillUri;
List<Uri> _entryPoints;
final bool forExpressionCompilationOnly;
List<Uri> get entryPoints => _entryPoints;
IncrementalKernelGenerator get generator => _generator;
IncrementalCompilerResult? get lastKnownGoodResult => _lastKnownGood;
IncrementalCompiler(this._compilerOptions, this._entryPoints,
{this.initializeFromDillUri, bool incrementalSerialization: true})
: forExpressionCompilationOnly = false {
if (incrementalSerialization) {
incrementalSerializer = new IncrementalSerializer();
}
_generator = new IncrementalKernelGenerator(_compilerOptions, _entryPoints,
initializeFromDillUri, false, incrementalSerializer);
_pendingDeltas = <IncrementalCompilerResult>[];
}
IncrementalCompiler.forExpressionCompilationOnly(
Component component, this._compilerOptions, this._entryPoints)
: forExpressionCompilationOnly = true {
_generator = new IncrementalKernelGenerator.forExpressionCompilationOnly(
_compilerOptions, _entryPoints, component);
_pendingDeltas = <IncrementalCompilerResult>[];
}
/// Recompiles invalidated files, produces incremental component.
///
/// If [entryPoints] is specified, that points to the new list of entry
/// points for the compilation. Otherwise, previously set entryPoints are
/// used.
Future<IncrementalCompilerResult> compile({List<Uri>? entryPoints}) async {
final task = new TimelineTask();
try {
task.start("IncrementalCompiler.compile");
_entryPoints = entryPoints ?? _entryPoints;
IncrementalCompilerResult compilerResult = await _generator.computeDelta(
entryPoints: _entryPoints, fullComponent: fullComponent);
initialized = true;
fullComponent = false;
_pendingDeltas.add(compilerResult);
return _combinePendingDeltas(false);
} finally {
task.finish();
}
}
IncrementalCompilerResult _combinePendingDeltas(bool includePlatform) {
Procedure? mainMethod;
NonNullableByDefaultCompiledMode compilationMode =
NonNullableByDefaultCompiledMode.Invalid;
Map<Uri, Library> combined = <Uri, Library>{};
Map<Uri, Source> uriToSource = new Map<Uri, Source>();
ClassHierarchy? classHierarchy;
CoreTypes? coreTypes;
for (IncrementalCompilerResult deltaResult in _pendingDeltas) {
Component delta = deltaResult.component;
if (delta.mainMethod != null) {
mainMethod = delta.mainMethod;
}
classHierarchy ??= deltaResult.classHierarchy;
coreTypes ??= deltaResult.coreTypes;
compilationMode = delta.mode;
uriToSource.addAll(delta.uriToSource);
for (Library library in delta.libraries) {
bool isPlatform =
library.importUri.isScheme("dart") && !library.isSynthetic;
if (!includePlatform && isPlatform) continue;
combined[library.importUri] = library;
}
}
// TODO(vegorov) this needs to merge metadata repositories from deltas.
return new IncrementalCompilerResult(
new Component(
libraries: combined.values.toList(), uriToSource: uriToSource)
..setMainMethodAndMode(mainMethod?.reference, true, compilationMode),
classHierarchy: classHierarchy,
coreTypes: coreTypes);
}
/// This lets incremental compiler know that results of last [compile] call
/// were accepted, don't need to be included into subsequent [compile] calls
/// results.
accept() {
if (forExpressionCompilationOnly) {
throw new StateError("Incremental compiler created for expression "
"compilation only; cannot accept");
}
Map<Uri, Library> combined = <Uri, Library>{};
Map<Uri, Source> uriToSource = <Uri, Source>{};
IncrementalCompilerResult? lastKnownGood = _lastKnownGood;
if (lastKnownGood != null) {
// TODO(aam): Figure out how to skip no-longer-used libraries from
// [_lastKnownGood] libraries.
for (Library library in lastKnownGood.component.libraries) {
combined[library.importUri] = library;
}
uriToSource.addAll(lastKnownGood.component.uriToSource);
}
IncrementalCompilerResult result = _combinePendingDeltas(true);
Component candidate = result.component;
for (Library library in candidate.libraries) {
combined[library.importUri] = library;
}
uriToSource.addAll(candidate.uriToSource);
_lastKnownGood = lastKnownGood = new IncrementalCompilerResult(
new Component(
libraries: combined.values.toList(),
uriToSource: uriToSource,
)..setMainMethodAndMode(
candidate.mainMethod?.reference, true, candidate.mode),
classHierarchy: result.classHierarchy,
coreTypes: result.coreTypes);
for (final repo in candidate.metadata.values) {
lastKnownGood.component.addMetadataRepository(repo);
}
_pendingDeltas.clear();
}
/// This lets incremental compiler know that results of last [compile] call
/// were rejected. Subsequent [compile] or [compileExpression] calls need to
/// be processed without changes picked up by rejected [compile] call.
reject() async {
if (forExpressionCompilationOnly) {
throw new StateError("Incremental compiler created for expression "
"compilation only; cannot reject");
}
_pendingDeltas.clear();
// Need to reset and warm up compiler so that expression evaluation requests
// are processed in that known good state.
if (incrementalSerializer != null) {
incrementalSerializer = new IncrementalSerializer();
}
// Make sure the last known good component is linked to itself, i.e. if the
// rejected delta was an "advanced incremental recompilation" that updated
// old libraries to point to a new library (that we're now rejecting), make
// sure it's "updated back".
// Note that if accept was never called [_lastKnownGood] is null (and
// loading from it below is basically nonsense, it will just start over).
_lastKnownGood?.component.relink();
_generator = new IncrementalKernelGenerator.fromComponent(_compilerOptions,
_entryPoints, _lastKnownGood?.component, false, incrementalSerializer);
await _generator.computeDelta(entryPoints: _entryPoints);
}
/// This tells incremental compiler that it needs rescan [uri] file during
/// next [compile] call.
invalidate(Uri uri) {
_generator.invalidate(uri);
}
resetDeltaState() {
_pendingDeltas.clear();
fullComponent = true;
}
Future<Procedure?> compileExpression(
String expression,
List<String> definitions,
List<String> definitionTypes,
List<String> typeDefinitions,
List<String> typeBounds,
List<String> typeDefaults,
String libraryUri,
String? klass,
String? method,
bool isStatic) {
ClassHierarchy? classHierarchy =
(_lastKnownGood ?? _combinePendingDeltas(false)).classHierarchy;
Map<String, DartType>? completeDefinitions = createDefinitionsWithTypes(
classHierarchy?.knownLibraries, definitionTypes, definitions);
if (completeDefinitions == null) {
completeDefinitions = {};
// No class hierarchy or wasn't provided correct types.
// Revert to old behaviour of setting everything to dynamic.
for (int i = 0; i < definitions.length; i++) {
String name = definitions[i];
if (isLegalIdentifier(name) || (i == 0 && isExtensionThisName(name))) {
completeDefinitions[name] = new DynamicType();
}
}
}
List<TypeParameter>? typeParameters = createTypeParametersWithBounds(
classHierarchy?.knownLibraries,
typeBounds,
typeDefaults,
typeDefinitions);
if (typeParameters == null) {
// No class hierarchy or wasn't provided correct types.
// Revert to old behaviour of setting everything to dynamic.
typeParameters = [];
for (String name in typeDefinitions) {
if (!isLegalIdentifier(name)) continue;
typeParameters.add(new TypeParameter(name, new DynamicType()));
}
}
Uri library = Uri.parse(libraryUri);
return _generator.compileExpression(expression, completeDefinitions,
typeParameters, kDebugProcedureName, library,
className: klass, methodName: method, isStatic: isStatic);
}
}