/** * @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 {Inject, Injectable, OpaqueToken, Optional, SecurityContext} from '@angular/core'; import {Console, MAX_INTERPOLATION_VALUES} from '../core_private'; import {ListWrapper, StringMapWrapper, SetWrapper,} from '../src/facade/collection'; import {RegExpWrapper, isPresent, StringWrapper, isBlank, isArray} from '../src/facade/lang'; import {BaseException} from '../src/facade/exceptions'; import {AST, Interpolation, ASTWithSource, TemplateBinding, RecursiveAstVisitor, BindingPipe, ParserError} from './expression_parser/ast'; import {Parser} from './expression_parser/parser'; import {CompileDirectiveMetadata, CompilePipeMetadata, CompileMetadataWithType, CompileTokenMetadata,} from './compile_metadata'; import {HtmlParser} from './html_parser'; import {splitNsName, mergeNsAndName} from './html_tags'; import {ParseSourceSpan, ParseError, ParseErrorLevel} from './parse_util'; import {InterpolationConfig} from './interpolation_config'; import {ElementAst, BoundElementPropertyAst, BoundEventAst, ReferenceAst, TemplateAst, TemplateAstVisitor, templateVisitAll, TextAst, BoundTextAst, EmbeddedTemplateAst, AttrAst, NgContentAst, PropertyBindingType, DirectiveAst, BoundDirectivePropertyAst, ProviderAst, ProviderAstType, VariableAst} from './template_ast'; import {CssSelector, SelectorMatcher} from './selector'; import {ElementSchemaRegistry} from './schema/element_schema_registry'; import {preparseElement, PreparsedElementType} from './template_preparser'; import {isStyleUrlResolvable} from './style_url_resolver'; import {HtmlAstVisitor, HtmlElementAst, HtmlAttrAst, HtmlTextAst, HtmlCommentAst, HtmlExpansionAst, HtmlExpansionCaseAst, htmlVisitAll} from './html_ast'; import {splitAtColon} from './util'; import {identifierToken, Identifiers} from './identifiers'; import {ProviderElementContext, ProviderViewContext} from './provider_parser'; // Group 1 = "bind-" // Group 2 = "var-" // Group 3 = "let-" // Group 4 = "ref-/#" // Group 5 = "on-" // Group 6 = "bindon-" // Group 7 = "animate-/@" // Group 8 = the identifier after "bind-", "var-/#", or "on-" // Group 9 = identifier inside [()] // Group 10 = identifier inside [] // Group 11 = identifier inside () const BIND_NAME_REGEXP = /^(?:(?:(?:(bind-)|(var-)|(let-)|(ref-|#)|(on-)|(bindon-)|(animate-|@))(.+))|\[\(([^\)]+)\)\]|\[([^\]]+)\]|\(([^\)]+)\))$/g; const TEMPLATE_ELEMENT = 'template'; const TEMPLATE_ATTR = 'template'; const TEMPLATE_ATTR_PREFIX = '*'; const CLASS_ATTR = 'class'; const PROPERTY_PARTS_SEPARATOR = '.'; const ATTRIBUTE_PREFIX = 'attr'; const CLASS_PREFIX = 'class'; const STYLE_PREFIX = 'style'; const TEXT_CSS_SELECTOR = CssSelector.parse('*')[0]; /** * Provides an array of {@link TemplateAstVisitor}s which will be used to transform * parsed templates before compilation is invoked, allowing custom expression syntax * and other advanced transformations. * * This is currently an internal-only feature and not meant for general use. */ export const TEMPLATE_TRANSFORMS: any = /*@ts2dart_const*/ new OpaqueToken('TemplateTransforms'); export class TemplateParseError extends ParseError { constructor(message: string, span: ParseSourceSpan, level: ParseErrorLevel) { super(span, message, level); } } export class TemplateParseResult { constructor(public templateAst?: TemplateAst[], public errors?: ParseError[]) {} } @Injectable() export class TemplateParser { constructor( private _exprParser: Parser, private _schemaRegistry: ElementSchemaRegistry, private _htmlParser: HtmlParser, private _console: Console, @Optional() @Inject(TEMPLATE_TRANSFORMS) public transforms: TemplateAstVisitor[]) {} parse( component: CompileDirectiveMetadata, template: string, directives: CompileDirectiveMetadata[], pipes: CompilePipeMetadata[], templateUrl: string): TemplateAst[] { const result = this.tryParse(component, template, directives, pipes, templateUrl); const warnings = result.errors.filter(error => error.level === ParseErrorLevel.WARNING); const errors = result.errors.filter(error => error.level === ParseErrorLevel.FATAL); if (warnings.length > 0) { this._console.warn(`Template parse warnings:\n${warnings.join('\n')}`); } if (errors.length > 0) { const errorString = errors.join('\n'); throw new BaseException(`Template parse errors:\n${errorString}`); } return result.templateAst; } tryParse( component: CompileDirectiveMetadata, template: string, directives: CompileDirectiveMetadata[], pipes: CompilePipeMetadata[], templateUrl: string): TemplateParseResult { const htmlAstWithErrors = this._htmlParser.parse(template, templateUrl); const errors: ParseError[] = htmlAstWithErrors.errors; let result: any[]; if (htmlAstWithErrors.rootNodes.length > 0) { const uniqDirectives = removeDuplicates(directives); const uniqPipes = removeDuplicates(pipes); const providerViewContext = new ProviderViewContext(component, htmlAstWithErrors.rootNodes[0].sourceSpan); const parseVisitor = new TemplateParseVisitor( providerViewContext, uniqDirectives, uniqPipes, this._exprParser, this._schemaRegistry); result = htmlVisitAll(parseVisitor, htmlAstWithErrors.rootNodes, EMPTY_ELEMENT_CONTEXT); errors.push(...parseVisitor.errors, ...providerViewContext.errors); } else { result = []; } this._assertNoReferenceDuplicationOnTemplate(result, errors); if (errors.length > 0) { return new TemplateParseResult(result, errors); } if (isPresent(this.transforms)) { this.transforms.forEach( (transform: TemplateAstVisitor) => { result = templateVisitAll(transform, result); }); } return new TemplateParseResult(result, errors); } /** @internal */ _assertNoReferenceDuplicationOnTemplate(result: any[], errors: TemplateParseError[]): void { const existingReferences: any[] /** TODO #???? */ = []; result.filter(element => !!element.references) .forEach(element => element.references.forEach((reference: any /** TODO #???? */) => { const name = reference.name; if (existingReferences.indexOf(name) < 0) { existingReferences.push(name); } else { const error = new TemplateParseError( `Reference "#${name}" is defined several times`, reference.sourceSpan, ParseErrorLevel.FATAL); errors.push(error); } })); } } class TemplateParseVisitor implements HtmlAstVisitor { selectorMatcher: SelectorMatcher; errors: TemplateParseError[] = []; directivesIndex = new Map(); ngContentCount: number = 0; pipesByName: Map; private _interpolationConfig: InterpolationConfig; constructor( public providerViewContext: ProviderViewContext, directives: CompileDirectiveMetadata[], pipes: CompilePipeMetadata[], private _exprParser: Parser, private _schemaRegistry: ElementSchemaRegistry) { this.selectorMatcher = new SelectorMatcher(); const tempMeta = providerViewContext.component.template; if (isPresent(tempMeta) && isPresent(tempMeta.interpolation)) { this._interpolationConfig = { start: tempMeta.interpolation[0], end: tempMeta.interpolation[1] }; } ListWrapper.forEachWithIndex( directives, (directive: CompileDirectiveMetadata, index: number) => { const selector = CssSelector.parse(directive.selector); this.selectorMatcher.addSelectables(selector, directive); this.directivesIndex.set(directive, index); }); this.pipesByName = new Map(); pipes.forEach(pipe => this.pipesByName.set(pipe.name, pipe)); } private _reportError( message: string, sourceSpan: ParseSourceSpan, level: ParseErrorLevel = ParseErrorLevel.FATAL) { this.errors.push(new TemplateParseError(message, sourceSpan, level)); } private _reportParserErors(errors: ParserError[], sourceSpan: ParseSourceSpan) { for (let error of errors) { this._reportError(error.message, sourceSpan); } } private _parseInterpolation(value: string, sourceSpan: ParseSourceSpan): ASTWithSource { const sourceInfo = sourceSpan.start.toString(); try { const ast = this._exprParser.parseInterpolation(value, sourceInfo, this._interpolationConfig); if (ast) this._reportParserErors(ast.errors, sourceSpan); this._checkPipes(ast, sourceSpan); if (isPresent(ast) && (ast.ast).expressions.length > MAX_INTERPOLATION_VALUES) { throw new BaseException( `Only support at most ${MAX_INTERPOLATION_VALUES} interpolation values!`); } return ast; } catch (e) { this._reportError(`${e}`, sourceSpan); return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo); } } private _parseAction(value: string, sourceSpan: ParseSourceSpan): ASTWithSource { const sourceInfo = sourceSpan.start.toString(); try { const ast = this._exprParser.parseAction(value, sourceInfo, this._interpolationConfig); if (ast) this._reportParserErors(ast.errors, sourceSpan); this._checkPipes(ast, sourceSpan); return ast; } catch (e) { this._reportError(`${e}`, sourceSpan); return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo); } } private _parseBinding(value: string, sourceSpan: ParseSourceSpan): ASTWithSource { const sourceInfo = sourceSpan.start.toString(); try { const ast = this._exprParser.parseBinding(value, sourceInfo, this._interpolationConfig); if (ast) this._reportParserErors(ast.errors, sourceSpan); this._checkPipes(ast, sourceSpan); return ast; } catch (e) { this._reportError(`${e}`, sourceSpan); return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo); } } private _parseTemplateBindings(value: string, sourceSpan: ParseSourceSpan): TemplateBinding[] { const sourceInfo = sourceSpan.start.toString(); try { const bindingsResult = this._exprParser.parseTemplateBindings(value, sourceInfo); this._reportParserErors(bindingsResult.errors, sourceSpan); bindingsResult.templateBindings.forEach((binding) => { if (isPresent(binding.expression)) { this._checkPipes(binding.expression, sourceSpan); } }); bindingsResult.warnings.forEach( (warning) => { this._reportError(warning, sourceSpan, ParseErrorLevel.WARNING); }); return bindingsResult.templateBindings; } catch (e) { this._reportError(`${e}`, sourceSpan); return []; } } private _checkPipes(ast: ASTWithSource, sourceSpan: ParseSourceSpan) { if (isPresent(ast)) { const collector = new PipeCollector(); ast.visit(collector); collector.pipes.forEach((pipeName) => { if (!this.pipesByName.has(pipeName)) { this._reportError(`The pipe '${pipeName}' could not be found`, sourceSpan); } }); } } visitExpansion(ast: HtmlExpansionAst, context: any): any { return null; } visitExpansionCase(ast: HtmlExpansionCaseAst, context: any): any { return null; } visitText(ast: HtmlTextAst, parent: ElementContext): any { const ngContentIndex = parent.findNgContentIndex(TEXT_CSS_SELECTOR); const expr = this._parseInterpolation(ast.value, ast.sourceSpan); if (isPresent(expr)) { return new BoundTextAst(expr, ngContentIndex, ast.sourceSpan); } else { return new TextAst(ast.value, ngContentIndex, ast.sourceSpan); } } visitAttr(ast: HtmlAttrAst, contex: any): any { return new AttrAst(ast.name, ast.value, ast.sourceSpan); } visitComment(ast: HtmlCommentAst, context: any): any { return null; } visitElement(element: HtmlElementAst, parent: ElementContext): any { const nodeName = element.name; const preparsedElement = preparseElement(element); if (preparsedElement.type === PreparsedElementType.SCRIPT || preparsedElement.type === PreparsedElementType.STYLE) { // Skipping