perf(ivy): eagerly parse the template twice during analysis (#34334)
A quirk of the Angular template parser is that when parsing templates in the "default" mode, with options specified by the user, the source mapping information in the template AST may be inaccurate. As a result, the compiler parses the template twice: once for "emit" and once to produce an AST with accurate sourcemaps for diagnostic production. Previously, only the first parse was performed during analysis. The second parse occurred during the template type-checking phase, just in time to produce the template type-checking file. However, with the reuse of analysis results during incremental builds, it makes more sense to do the diagnostic parse eagerly during analysis so that the work isn't unnecessarily repeated in subsequent builds. This commit refactors the `ComponentDecoratorHandler` to do both parses eagerly, which actually cleans up some complexity around template parsing as well. PR Close #34334
This commit is contained in:
parent
ff0a91422a
commit
af95dddd7e
|
@ -93,8 +93,8 @@ export class DecorationAnalyzer {
|
||||||
/* i18nUseExternalIds */ true, this.bundle.enableI18nLegacyMessageIdFormat,
|
/* i18nUseExternalIds */ true, this.bundle.enableI18nLegacyMessageIdFormat,
|
||||||
this.moduleResolver, this.cycleAnalyzer, this.refEmitter, NOOP_DEFAULT_IMPORT_RECORDER,
|
this.moduleResolver, this.cycleAnalyzer, this.refEmitter, NOOP_DEFAULT_IMPORT_RECORDER,
|
||||||
NOOP_DEPENDENCY_TRACKER, /* annotateForClosureCompiler */ false),
|
NOOP_DEPENDENCY_TRACKER, /* annotateForClosureCompiler */ false),
|
||||||
// clang-format off
|
|
||||||
// See the note in ngtsc about why this cast is needed.
|
// See the note in ngtsc about why this cast is needed.
|
||||||
|
// clang-format off
|
||||||
new DirectiveDecoratorHandler(
|
new DirectiveDecoratorHandler(
|
||||||
this.reflectionHost, this.evaluator, this.fullRegistry, NOOP_DEFAULT_IMPORT_RECORDER,
|
this.reflectionHost, this.evaluator, this.fullRegistry, NOOP_DEFAULT_IMPORT_RECORDER,
|
||||||
this.isCore, /* annotateForClosureCompiler */ false) as DecoratorHandler<unknown, unknown, unknown>,
|
this.isCore, /* annotateForClosureCompiler */ false) as DecoratorHandler<unknown, unknown, unknown>,
|
||||||
|
|
|
@ -51,10 +51,8 @@ export interface ComponentAnalysisData {
|
||||||
meta: Omit<R3ComponentMetadata, ComponentMetadataResolvedFields>;
|
meta: Omit<R3ComponentMetadata, ComponentMetadataResolvedFields>;
|
||||||
baseClass: Reference<ClassDeclaration>|'dynamic'|null;
|
baseClass: Reference<ClassDeclaration>|'dynamic'|null;
|
||||||
guards: ReturnType<typeof extractDirectiveGuards>;
|
guards: ReturnType<typeof extractDirectiveGuards>;
|
||||||
parsedTemplate: ParsedTemplate;
|
template: ParsedTemplateWithSource;
|
||||||
templateSourceMapping: TemplateSourceMapping;
|
|
||||||
metadataStmt: Statement|null;
|
metadataStmt: Statement|null;
|
||||||
parseTemplate: (options?: ParseTemplateOptions) => ParsedTemplate;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
export type ComponentResolutionData = Pick<R3ComponentMetadata, ComponentMetadataResolvedFields>;
|
export type ComponentResolutionData = Pick<R3ComponentMetadata, ComponentMetadataResolvedFields>;
|
||||||
|
@ -83,7 +81,7 @@ export class ComponentDecoratorHandler implements
|
||||||
* any potential <link> tags which might need to be loaded. This cache ensures that work is not
|
* any potential <link> tags which might need to be loaded. This cache ensures that work is not
|
||||||
* thrown away, and the parsed template is reused during the analyze phase.
|
* thrown away, and the parsed template is reused during the analyze phase.
|
||||||
*/
|
*/
|
||||||
private preanalyzeTemplateCache = new Map<ts.Declaration, PreanalyzedTemplate>();
|
private preanalyzeTemplateCache = new Map<ts.Declaration, ParsedTemplateWithSource>();
|
||||||
|
|
||||||
readonly precedence = HandlerPrecedence.PRIMARY;
|
readonly precedence = HandlerPrecedence.PRIMARY;
|
||||||
readonly name = ComponentDecoratorHandler.name;
|
readonly name = ComponentDecoratorHandler.name;
|
||||||
|
@ -200,16 +198,13 @@ export class ComponentDecoratorHandler implements
|
||||||
// the preanalyzeTemplateCache.
|
// the preanalyzeTemplateCache.
|
||||||
// Extract a closure of the template parsing code so that it can be reparsed with different
|
// Extract a closure of the template parsing code so that it can be reparsed with different
|
||||||
// options if needed, like in the indexing pipeline.
|
// options if needed, like in the indexing pipeline.
|
||||||
let parseTemplate: (options?: ParseTemplateOptions) => ParsedTemplate;
|
let template: ParsedTemplateWithSource;
|
||||||
// Track the origin of the template to determine how the ParseSourceSpans should be interpreted.
|
|
||||||
let templateSourceMapping: TemplateSourceMapping;
|
|
||||||
if (this.preanalyzeTemplateCache.has(node)) {
|
if (this.preanalyzeTemplateCache.has(node)) {
|
||||||
// The template was parsed in preanalyze. Use it and delete it to save memory.
|
// The template was parsed in preanalyze. Use it and delete it to save memory.
|
||||||
const preanalyzed = this.preanalyzeTemplateCache.get(node) !;
|
const preanalyzed = this.preanalyzeTemplateCache.get(node) !;
|
||||||
this.preanalyzeTemplateCache.delete(node);
|
this.preanalyzeTemplateCache.delete(node);
|
||||||
|
|
||||||
parseTemplate = preanalyzed.parseTemplate;
|
template = preanalyzed;
|
||||||
templateSourceMapping = preanalyzed.templateSourceMapping;
|
|
||||||
} else {
|
} else {
|
||||||
// The template was not already parsed. Either there's a templateUrl, or an inline template.
|
// The template was not already parsed. Either there's a templateUrl, or an inline template.
|
||||||
if (component.has('templateUrl')) {
|
if (component.has('templateUrl')) {
|
||||||
|
@ -220,20 +215,12 @@ export class ComponentDecoratorHandler implements
|
||||||
ErrorCode.VALUE_HAS_WRONG_TYPE, templateUrlExpr, 'templateUrl must be a string');
|
ErrorCode.VALUE_HAS_WRONG_TYPE, templateUrlExpr, 'templateUrl must be a string');
|
||||||
}
|
}
|
||||||
const resourceUrl = this.resourceLoader.resolve(templateUrl, containingFile);
|
const resourceUrl = this.resourceLoader.resolve(templateUrl, containingFile);
|
||||||
const external =
|
template = this._extractExternalTemplate(node, component, templateUrlExpr, resourceUrl);
|
||||||
this._extractExternalTemplate(node, component, templateUrlExpr, resourceUrl);
|
|
||||||
|
|
||||||
parseTemplate = external.parseTemplate;
|
|
||||||
templateSourceMapping = external.templateSourceMapping;
|
|
||||||
} else {
|
} else {
|
||||||
// Expect an inline template to be present.
|
// Expect an inline template to be present.
|
||||||
const inline = this._extractInlineTemplate(node, decorator, component, containingFile);
|
template = this._extractInlineTemplate(node, decorator, component, containingFile);
|
||||||
|
|
||||||
parseTemplate = inline.parseTemplate;
|
|
||||||
templateSourceMapping = inline.templateSourceMapping;
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
const template = parseTemplate();
|
|
||||||
|
|
||||||
if (template.errors !== undefined) {
|
if (template.errors !== undefined) {
|
||||||
throw new Error(
|
throw new Error(
|
||||||
|
@ -293,7 +280,9 @@ export class ComponentDecoratorHandler implements
|
||||||
baseClass: readBaseClass(node, this.reflector, this.evaluator),
|
baseClass: readBaseClass(node, this.reflector, this.evaluator),
|
||||||
meta: {
|
meta: {
|
||||||
...metadata,
|
...metadata,
|
||||||
template,
|
template: {
|
||||||
|
nodes: template.emitNodes,
|
||||||
|
},
|
||||||
encapsulation,
|
encapsulation,
|
||||||
interpolation: template.interpolation,
|
interpolation: template.interpolation,
|
||||||
styles: styles || [],
|
styles: styles || [],
|
||||||
|
@ -308,7 +297,7 @@ export class ComponentDecoratorHandler implements
|
||||||
metadataStmt: generateSetClassMetadataCall(
|
metadataStmt: generateSetClassMetadataCall(
|
||||||
node, this.reflector, this.defaultImportRecorder, this.isCore,
|
node, this.reflector, this.defaultImportRecorder, this.isCore,
|
||||||
this.annotateForClosureCompiler),
|
this.annotateForClosureCompiler),
|
||||||
parsedTemplate: template, parseTemplate, templateSourceMapping,
|
template,
|
||||||
},
|
},
|
||||||
};
|
};
|
||||||
if (changeDetection !== null) {
|
if (changeDetection !== null) {
|
||||||
|
@ -336,14 +325,6 @@ export class ComponentDecoratorHandler implements
|
||||||
|
|
||||||
index(
|
index(
|
||||||
context: IndexingContext, node: ClassDeclaration, analysis: Readonly<ComponentAnalysisData>) {
|
context: IndexingContext, node: ClassDeclaration, analysis: Readonly<ComponentAnalysisData>) {
|
||||||
// The component template may have been previously parsed without preserving whitespace or with
|
|
||||||
// `leadingTriviaChar`s, both of which may manipulate the AST into a form not representative of
|
|
||||||
// the source code, making it unsuitable for indexing. The template is reparsed with preserving
|
|
||||||
// options to remedy this.
|
|
||||||
const template = analysis.parseTemplate({
|
|
||||||
preserveWhitespaces: true,
|
|
||||||
leadingTriviaChars: [],
|
|
||||||
});
|
|
||||||
const scope = this.scopeReader.getScopeForComponent(node);
|
const scope = this.scopeReader.getScopeForComponent(node);
|
||||||
const selector = analysis.meta.selector;
|
const selector = analysis.meta.selector;
|
||||||
const matcher = new SelectorMatcher<DirectiveMeta>();
|
const matcher = new SelectorMatcher<DirectiveMeta>();
|
||||||
|
@ -355,15 +336,15 @@ export class ComponentDecoratorHandler implements
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
const binder = new R3TargetBinder(matcher);
|
const binder = new R3TargetBinder(matcher);
|
||||||
const boundTemplate = binder.bind({template: template.nodes});
|
const boundTemplate = binder.bind({template: analysis.template.diagNodes});
|
||||||
|
|
||||||
context.addComponent({
|
context.addComponent({
|
||||||
declaration: node,
|
declaration: node,
|
||||||
selector,
|
selector,
|
||||||
boundTemplate,
|
boundTemplate,
|
||||||
templateMeta: {
|
templateMeta: {
|
||||||
isInline: template.isInline,
|
isInline: analysis.template.isInline,
|
||||||
file: template.file,
|
file: analysis.template.file,
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
@ -374,20 +355,6 @@ export class ComponentDecoratorHandler implements
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
// There are issues with parsing the template under certain configurations (namely with
|
|
||||||
// `preserveWhitespaces: false`) which cause inaccurate positional information within the
|
|
||||||
// template AST, particularly within interpolation expressions.
|
|
||||||
//
|
|
||||||
// To work around this, the template is re-parsed with settings that guarantee the spans are as
|
|
||||||
// accurate as possible. This is only a temporary solution until the whitespace removal step can
|
|
||||||
// be rewritten as a transform against the expression AST instead of against the HTML AST.
|
|
||||||
//
|
|
||||||
// TODO(alxhub): remove this when whitespace removal no longer corrupts span information.
|
|
||||||
const template = meta.parseTemplate({
|
|
||||||
preserveWhitespaces: true,
|
|
||||||
leadingTriviaChars: [],
|
|
||||||
});
|
|
||||||
|
|
||||||
const matcher = new SelectorMatcher<DirectiveMeta>();
|
const matcher = new SelectorMatcher<DirectiveMeta>();
|
||||||
const pipes = new Map<string, Reference<ClassDeclaration<ts.ClassDeclaration>>>();
|
const pipes = new Map<string, Reference<ClassDeclaration<ts.ClassDeclaration>>>();
|
||||||
let schemas: SchemaMetadata[] = [];
|
let schemas: SchemaMetadata[] = [];
|
||||||
|
@ -410,9 +377,10 @@ export class ComponentDecoratorHandler implements
|
||||||
schemas = scope.schemas;
|
schemas = scope.schemas;
|
||||||
}
|
}
|
||||||
|
|
||||||
const bound = new R3TargetBinder(matcher).bind({template: template.nodes});
|
const bound = new R3TargetBinder(matcher).bind({template: meta.template.diagNodes});
|
||||||
ctx.addTemplate(
|
ctx.addTemplate(
|
||||||
new Reference(node), bound, pipes, schemas, meta.templateSourceMapping, template.file);
|
new Reference(node), bound, pipes, schemas, meta.template.sourceMapping,
|
||||||
|
meta.template.file);
|
||||||
}
|
}
|
||||||
|
|
||||||
resolve(node: ClassDeclaration, analysis: Readonly<ComponentAnalysisData>):
|
resolve(node: ClassDeclaration, analysis: Readonly<ComponentAnalysisData>):
|
||||||
|
@ -613,56 +581,48 @@ export class ComponentDecoratorHandler implements
|
||||||
// URLs to resolve.
|
// URLs to resolve.
|
||||||
if (templatePromise !== undefined) {
|
if (templatePromise !== undefined) {
|
||||||
return templatePromise.then(() => {
|
return templatePromise.then(() => {
|
||||||
const {parseTemplate, templateSourceMapping} =
|
const template =
|
||||||
this._extractExternalTemplate(node, component, templateUrlExpr, resourceUrl);
|
this._extractExternalTemplate(node, component, templateUrlExpr, resourceUrl);
|
||||||
const template = parseTemplate();
|
this.preanalyzeTemplateCache.set(node, template);
|
||||||
this.preanalyzeTemplateCache.set(
|
|
||||||
node, {...template, parseTemplate, templateSourceMapping});
|
|
||||||
return template;
|
return template;
|
||||||
});
|
});
|
||||||
} else {
|
} else {
|
||||||
return Promise.resolve(null);
|
return Promise.resolve(null);
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
const {parseTemplate, templateSourceMapping} =
|
const template = this._extractInlineTemplate(node, decorator, component, containingFile);
|
||||||
this._extractInlineTemplate(node, decorator, component, containingFile);
|
this.preanalyzeTemplateCache.set(node, template);
|
||||||
const template = parseTemplate();
|
|
||||||
this.preanalyzeTemplateCache.set(node, {...template, parseTemplate, templateSourceMapping});
|
|
||||||
return Promise.resolve(template);
|
return Promise.resolve(template);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
private _extractExternalTemplate(
|
private _extractExternalTemplate(
|
||||||
node: ClassDeclaration, component: Map<string, ts.Expression>, templateUrlExpr: ts.Expression,
|
node: ClassDeclaration, component: Map<string, ts.Expression>, templateUrlExpr: ts.Expression,
|
||||||
resourceUrl: string): {
|
resourceUrl: string): ParsedTemplateWithSource {
|
||||||
parseTemplate: (options?: ParseTemplateOptions) => ParsedTemplate;
|
|
||||||
templateSourceMapping: TemplateSourceMapping
|
|
||||||
} {
|
|
||||||
const templateStr = this.resourceLoader.load(resourceUrl);
|
const templateStr = this.resourceLoader.load(resourceUrl);
|
||||||
if (this.depTracker !== null) {
|
if (this.depTracker !== null) {
|
||||||
this.depTracker.addResourceDependency(node.getSourceFile(), resourceUrl);
|
this.depTracker.addResourceDependency(node.getSourceFile(), resourceUrl);
|
||||||
}
|
}
|
||||||
const parseTemplate = (options?: ParseTemplateOptions) => this._parseTemplate(
|
|
||||||
component, templateStr, sourceMapUrl(resourceUrl),
|
const template = this._parseTemplate(
|
||||||
/* templateRange */ undefined,
|
component, templateStr, sourceMapUrl(resourceUrl), /* templateRange */ undefined,
|
||||||
/* escapedString */ false, options);
|
/* escapedString */ false);
|
||||||
const templateSourceMapping: TemplateSourceMapping = {
|
|
||||||
|
return {
|
||||||
|
...template,
|
||||||
|
sourceMapping: {
|
||||||
type: 'external',
|
type: 'external',
|
||||||
componentClass: node,
|
componentClass: node,
|
||||||
node: templateUrlExpr,
|
node: templateUrlExpr,
|
||||||
template: templateStr,
|
template: templateStr,
|
||||||
templateUrl: resourceUrl,
|
templateUrl: resourceUrl,
|
||||||
|
},
|
||||||
};
|
};
|
||||||
|
|
||||||
return {parseTemplate, templateSourceMapping};
|
|
||||||
}
|
}
|
||||||
|
|
||||||
private _extractInlineTemplate(
|
private _extractInlineTemplate(
|
||||||
node: ClassDeclaration, decorator: Decorator, component: Map<string, ts.Expression>,
|
node: ClassDeclaration, decorator: Decorator, component: Map<string, ts.Expression>,
|
||||||
containingFile: string): {
|
containingFile: string): ParsedTemplateWithSource {
|
||||||
parseTemplate: (options?: ParseTemplateOptions) => ParsedTemplate;
|
|
||||||
templateSourceMapping: TemplateSourceMapping
|
|
||||||
} {
|
|
||||||
if (!component.has('template')) {
|
if (!component.has('template')) {
|
||||||
throw new FatalDiagnosticError(
|
throw new FatalDiagnosticError(
|
||||||
ErrorCode.COMPONENT_MISSING_TEMPLATE, Decorator.nodeForError(decorator),
|
ErrorCode.COMPONENT_MISSING_TEMPLATE, Decorator.nodeForError(decorator),
|
||||||
|
@ -673,7 +633,7 @@ export class ComponentDecoratorHandler implements
|
||||||
let templateStr: string;
|
let templateStr: string;
|
||||||
let templateUrl: string = '';
|
let templateUrl: string = '';
|
||||||
let templateRange: LexerRange|undefined = undefined;
|
let templateRange: LexerRange|undefined = undefined;
|
||||||
let templateSourceMapping: TemplateSourceMapping;
|
let sourceMapping: TemplateSourceMapping;
|
||||||
let escapedString = false;
|
let escapedString = false;
|
||||||
// We only support SourceMaps for inline templates that are simple string literals.
|
// We only support SourceMaps for inline templates that are simple string literals.
|
||||||
if (ts.isStringLiteral(templateExpr) || ts.isNoSubstitutionTemplateLiteral(templateExpr)) {
|
if (ts.isStringLiteral(templateExpr) || ts.isNoSubstitutionTemplateLiteral(templateExpr)) {
|
||||||
|
@ -684,7 +644,7 @@ export class ComponentDecoratorHandler implements
|
||||||
templateStr = templateExpr.getSourceFile().text;
|
templateStr = templateExpr.getSourceFile().text;
|
||||||
templateUrl = containingFile;
|
templateUrl = containingFile;
|
||||||
escapedString = true;
|
escapedString = true;
|
||||||
templateSourceMapping = {
|
sourceMapping = {
|
||||||
type: 'direct',
|
type: 'direct',
|
||||||
node: templateExpr as(ts.StringLiteral | ts.NoSubstitutionTemplateLiteral),
|
node: templateExpr as(ts.StringLiteral | ts.NoSubstitutionTemplateLiteral),
|
||||||
};
|
};
|
||||||
|
@ -695,7 +655,7 @@ export class ComponentDecoratorHandler implements
|
||||||
ErrorCode.VALUE_HAS_WRONG_TYPE, templateExpr, 'template must be a string');
|
ErrorCode.VALUE_HAS_WRONG_TYPE, templateExpr, 'template must be a string');
|
||||||
}
|
}
|
||||||
templateStr = resolvedTemplate;
|
templateStr = resolvedTemplate;
|
||||||
templateSourceMapping = {
|
sourceMapping = {
|
||||||
type: 'indirect',
|
type: 'indirect',
|
||||||
node: templateExpr,
|
node: templateExpr,
|
||||||
componentClass: node,
|
componentClass: node,
|
||||||
|
@ -703,16 +663,15 @@ export class ComponentDecoratorHandler implements
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
const parseTemplate = (options?: ParseTemplateOptions) => this._parseTemplate(
|
const template =
|
||||||
component, templateStr, templateUrl, templateRange, escapedString, options);
|
this._parseTemplate(component, templateStr, templateUrl, templateRange, escapedString);
|
||||||
|
|
||||||
return {parseTemplate, templateSourceMapping};
|
return {...template, sourceMapping};
|
||||||
}
|
}
|
||||||
|
|
||||||
private _parseTemplate(
|
private _parseTemplate(
|
||||||
component: Map<string, ts.Expression>, templateStr: string, templateUrl: string,
|
component: Map<string, ts.Expression>, templateStr: string, templateUrl: string,
|
||||||
templateRange: LexerRange|undefined, escapedString: boolean,
|
templateRange: LexerRange|undefined, escapedString: boolean): ParsedTemplate {
|
||||||
options: ParseTemplateOptions = {}): ParsedTemplate {
|
|
||||||
let preserveWhitespaces: boolean = this.defaultPreserveWhitespaces;
|
let preserveWhitespaces: boolean = this.defaultPreserveWhitespaces;
|
||||||
if (component.has('preserveWhitespaces')) {
|
if (component.has('preserveWhitespaces')) {
|
||||||
const expr = component.get('preserveWhitespaces') !;
|
const expr = component.get('preserveWhitespaces') !;
|
||||||
|
@ -737,14 +696,41 @@ export class ComponentDecoratorHandler implements
|
||||||
interpolation = InterpolationConfig.fromArray(value as[string, string]);
|
interpolation = InterpolationConfig.fromArray(value as[string, string]);
|
||||||
}
|
}
|
||||||
|
|
||||||
return {
|
const {errors, nodes: emitNodes, styleUrls, styles} = parseTemplate(templateStr, templateUrl, {
|
||||||
interpolation,
|
|
||||||
...parseTemplate(templateStr, templateUrl, {
|
|
||||||
preserveWhitespaces,
|
preserveWhitespaces,
|
||||||
interpolationConfig: interpolation,
|
interpolationConfig: interpolation,
|
||||||
range: templateRange, escapedString,
|
range: templateRange, escapedString,
|
||||||
enableI18nLegacyMessageIdFormat: this.enableI18nLegacyMessageIdFormat, ...options,
|
enableI18nLegacyMessageIdFormat: this.enableI18nLegacyMessageIdFormat,
|
||||||
}),
|
});
|
||||||
|
|
||||||
|
// Unfortunately, the primary parse of the template above may not contain accurate source map
|
||||||
|
// information. If used directly, it would result in incorrect code locations in template
|
||||||
|
// errors, etc. There are two main problems:
|
||||||
|
//
|
||||||
|
// 1. `preserveWhitespaces: false` annihilates the correctness of template source mapping, as
|
||||||
|
// the whitespace transformation changes the contents of HTML text nodes before they're
|
||||||
|
// parsed into Angular expressions.
|
||||||
|
// 2. By default, the template parser strips leading trivia characters (like spaces, tabs, and
|
||||||
|
// newlines). This also destroys source mapping information.
|
||||||
|
//
|
||||||
|
// In order to guarantee the correctness of diagnostics, templates are parsed a second time with
|
||||||
|
// the above options set to preserve source mappings.
|
||||||
|
|
||||||
|
const {nodes: diagNodes} = parseTemplate(templateStr, templateUrl, {
|
||||||
|
preserveWhitespaces: true,
|
||||||
|
interpolationConfig: interpolation,
|
||||||
|
range: templateRange, escapedString,
|
||||||
|
enableI18nLegacyMessageIdFormat: this.enableI18nLegacyMessageIdFormat,
|
||||||
|
leadingTriviaChars: [],
|
||||||
|
});
|
||||||
|
|
||||||
|
return {
|
||||||
|
interpolation,
|
||||||
|
emitNodes,
|
||||||
|
diagNodes,
|
||||||
|
styleUrls,
|
||||||
|
styles,
|
||||||
|
errors,
|
||||||
template: templateStr, templateUrl,
|
template: templateStr, templateUrl,
|
||||||
isInline: component.has('template'),
|
isInline: component.has('template'),
|
||||||
file: new ParseSourceFile(templateStr, templateUrl),
|
file: new ParseSourceFile(templateStr, templateUrl),
|
||||||
|
@ -838,9 +824,20 @@ export interface ParsedTemplate {
|
||||||
errors?: ParseError[]|undefined;
|
errors?: ParseError[]|undefined;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* The actual parsed template nodes.
|
* The template AST, parsed according to the user's specifications.
|
||||||
|
*/
|
||||||
|
emitNodes: TmplAstNode[];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The template AST, parsed in a manner which preserves source map information for diagnostics.
|
||||||
|
*
|
||||||
|
* Not useful for emit.
|
||||||
|
*/
|
||||||
|
diagNodes: TmplAstNode[];
|
||||||
|
|
||||||
|
/**
|
||||||
|
*
|
||||||
*/
|
*/
|
||||||
nodes: TmplAstNode[];
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Any styleUrls extracted from the metadata.
|
* Any styleUrls extracted from the metadata.
|
||||||
|
@ -863,7 +860,6 @@ export interface ParsedTemplate {
|
||||||
file: ParseSourceFile;
|
file: ParseSourceFile;
|
||||||
}
|
}
|
||||||
|
|
||||||
interface PreanalyzedTemplate extends ParsedTemplate {
|
export interface ParsedTemplateWithSource extends ParsedTemplate {
|
||||||
parseTemplate: (options?: ParseTemplateOptions) => ParsedTemplate;
|
sourceMapping: TemplateSourceMapping;
|
||||||
templateSourceMapping: TemplateSourceMapping;
|
|
||||||
}
|
}
|
||||||
|
|
Loading…
Reference in New Issue