/** * @license Angular v5.2.10 * (c) 2010-2018 Google, Inc. https://angular.io/ * License: MIT */ /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ // Attention: // This file duplicates types and values from @angular/core // so that we are able to make @angular/compiler independent of @angular/core. // This is important to prevent a build cycle, as @angular/core needs to // be compiled with the compiler. /** * @record */ function Inject() { } const createInject = makeMetadataFactory('Inject', (token) => ({ token })); const createInjectionToken = makeMetadataFactory('InjectionToken', (desc) => ({ _desc: desc })); /** * @record */ function Attribute() { } const createAttribute = makeMetadataFactory('Attribute', (attributeName) => ({ attributeName })); /** * @record */ function Query() { } const createContentChildren = makeMetadataFactory('ContentChildren', (selector, data = {}) => (Object.assign({ selector, first: false, isViewQuery: false, descendants: false }, data))); const createContentChild = makeMetadataFactory('ContentChild', (selector, data = {}) => (Object.assign({ selector, first: true, isViewQuery: false, descendants: true }, data))); const createViewChildren = makeMetadataFactory('ViewChildren', (selector, data = {}) => (Object.assign({ selector, first: false, isViewQuery: true, descendants: true }, data))); const createViewChild = makeMetadataFactory('ViewChild', (selector, data) => (Object.assign({ selector, first: true, isViewQuery: true, descendants: true }, data))); /** * @record */ function Directive() { } const createDirective = makeMetadataFactory('Directive', (dir = {}) => dir); /** * @record */ function Component() { } /** @enum {number} */ const ViewEncapsulation = { Emulated: 0, Native: 1, None: 2, }; ViewEncapsulation[ViewEncapsulation.Emulated] = "Emulated"; ViewEncapsulation[ViewEncapsulation.Native] = "Native"; ViewEncapsulation[ViewEncapsulation.None] = "None"; /** @enum {number} */ const ChangeDetectionStrategy = { OnPush: 0, Default: 1, }; ChangeDetectionStrategy[ChangeDetectionStrategy.OnPush] = "OnPush"; ChangeDetectionStrategy[ChangeDetectionStrategy.Default] = "Default"; const createComponent = makeMetadataFactory('Component', (c = {}) => (Object.assign({ changeDetection: ChangeDetectionStrategy.Default }, c))); /** * @record */ function Pipe() { } const createPipe = makeMetadataFactory('Pipe', (p) => (Object.assign({ pure: true }, p))); /** * @record */ function Input() { } const createInput = makeMetadataFactory('Input', (bindingPropertyName) => ({ bindingPropertyName })); /** * @record */ function Output() { } const createOutput = makeMetadataFactory('Output', (bindingPropertyName) => ({ bindingPropertyName })); /** * @record */ function HostBinding() { } const createHostBinding = makeMetadataFactory('HostBinding', (hostPropertyName) => ({ hostPropertyName })); /** * @record */ function HostListener() { } const createHostListener = makeMetadataFactory('HostListener', (eventName, args) => ({ eventName, args })); /** * @record */ function NgModule() { } const createNgModule = makeMetadataFactory('NgModule', (ngModule) => ngModule); /** * @record */ function ModuleWithProviders() { } /** * @record */ function SchemaMetadata() { } const CUSTOM_ELEMENTS_SCHEMA = { name: 'custom-elements' }; const NO_ERRORS_SCHEMA = { name: 'no-errors-schema' }; const createOptional = makeMetadataFactory('Optional'); const createInjectable = makeMetadataFactory('Injectable'); const createSelf = makeMetadataFactory('Self'); const createSkipSelf = makeMetadataFactory('SkipSelf'); const createHost = makeMetadataFactory('Host'); const Type = Function; /** @enum {number} */ const SecurityContext = { NONE: 0, HTML: 1, STYLE: 2, SCRIPT: 3, URL: 4, RESOURCE_URL: 5, }; SecurityContext[SecurityContext.NONE] = "NONE"; SecurityContext[SecurityContext.HTML] = "HTML"; SecurityContext[SecurityContext.STYLE] = "STYLE"; SecurityContext[SecurityContext.SCRIPT] = "SCRIPT"; SecurityContext[SecurityContext.URL] = "URL"; SecurityContext[SecurityContext.RESOURCE_URL] = "RESOURCE_URL"; /** @enum {number} */ const NodeFlags = { None: 0, TypeElement: 1, TypeText: 2, ProjectedTemplate: 4, CatRenderNode: 3, TypeNgContent: 8, TypePipe: 16, TypePureArray: 32, TypePureObject: 64, TypePurePipe: 128, CatPureExpression: 224, TypeValueProvider: 256, TypeClassProvider: 512, TypeFactoryProvider: 1024, TypeUseExistingProvider: 2048, LazyProvider: 4096, PrivateProvider: 8192, TypeDirective: 16384, Component: 32768, CatProviderNoDirective: 3840, CatProvider: 20224, OnInit: 65536, OnDestroy: 131072, DoCheck: 262144, OnChanges: 524288, AfterContentInit: 1048576, AfterContentChecked: 2097152, AfterViewInit: 4194304, AfterViewChecked: 8388608, EmbeddedViews: 16777216, ComponentView: 33554432, TypeContentQuery: 67108864, TypeViewQuery: 134217728, StaticQuery: 268435456, DynamicQuery: 536870912, CatQuery: 201326592, // mutually exclusive values... Types: 201347067, }; /** @enum {number} */ const DepFlags = { None: 0, SkipSelf: 1, Optional: 2, Value: 8, }; /** @enum {number} */ const ArgumentType = { Inline: 0, Dynamic: 1, }; /** @enum {number} */ const BindingFlags = { TypeElementAttribute: 1, TypeElementClass: 2, TypeElementStyle: 4, TypeProperty: 8, SyntheticProperty: 16, SyntheticHostProperty: 32, CatSyntheticProperty: 48, // mutually exclusive values... Types: 15, }; /** @enum {number} */ const QueryBindingType = { First: 0, All: 1, }; /** @enum {number} */ const QueryValueType = { ElementRef: 0, RenderElement: 1, TemplateRef: 2, ViewContainerRef: 3, Provider: 4, }; /** @enum {number} */ const ViewFlags = { None: 0, OnPush: 2, }; /** @enum {number} */ const MissingTranslationStrategy = { Error: 0, Warning: 1, Ignore: 2, }; MissingTranslationStrategy[MissingTranslationStrategy.Error] = "Error"; MissingTranslationStrategy[MissingTranslationStrategy.Warning] = "Warning"; MissingTranslationStrategy[MissingTranslationStrategy.Ignore] = "Ignore"; /** * @record * @template T */ function MetadataFactory() { } /** * @template T * @param {?} name * @param {?=} props * @return {?} */ function makeMetadataFactory(name, props) { const /** @type {?} */ factory = (...args) => { const /** @type {?} */ values = props ? props(...args) : {}; return Object.assign({ ngMetadataName: name }, values); }; factory.isTypeOf = (obj) => obj && obj.ngMetadataName === name; factory.ngMetadataName = name; return factory; } /** * @record */ function Route() { } var core = Object.freeze({ Inject: Inject, createInject: createInject, createInjectionToken: createInjectionToken, Attribute: Attribute, createAttribute: createAttribute, Query: Query, createContentChildren: createContentChildren, createContentChild: createContentChild, createViewChildren: createViewChildren, createViewChild: createViewChild, Directive: Directive, createDirective: createDirective, Component: Component, ViewEncapsulation: ViewEncapsulation, ChangeDetectionStrategy: ChangeDetectionStrategy, createComponent: createComponent, Pipe: Pipe, createPipe: createPipe, Input: Input, createInput: createInput, Output: Output, createOutput: createOutput, HostBinding: HostBinding, createHostBinding: createHostBinding, HostListener: HostListener, createHostListener: createHostListener, NgModule: NgModule, createNgModule: createNgModule, ModuleWithProviders: ModuleWithProviders, SchemaMetadata: SchemaMetadata, CUSTOM_ELEMENTS_SCHEMA: CUSTOM_ELEMENTS_SCHEMA, NO_ERRORS_SCHEMA: NO_ERRORS_SCHEMA, createOptional: createOptional, createInjectable: createInjectable, createSelf: createSelf, createSkipSelf: createSkipSelf, createHost: createHost, Type: Type, SecurityContext: SecurityContext, NodeFlags: NodeFlags, DepFlags: DepFlags, ArgumentType: ArgumentType, BindingFlags: BindingFlags, QueryBindingType: QueryBindingType, QueryValueType: QueryValueType, ViewFlags: ViewFlags, MissingTranslationStrategy: MissingTranslationStrategy, MetadataFactory: MetadataFactory, Route: Route }); /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const DASH_CASE_REGEXP = /-+([a-z0-9])/g; /** * @param {?} input * @return {?} */ function dashCaseToCamelCase(input) { return input.replace(DASH_CASE_REGEXP, (...m) => m[1].toUpperCase()); } /** * @param {?} input * @param {?} defaultValues * @return {?} */ function splitAtColon(input, defaultValues) { return _splitAt(input, ':', defaultValues); } /** * @param {?} input * @param {?} defaultValues * @return {?} */ function splitAtPeriod(input, defaultValues) { return _splitAt(input, '.', defaultValues); } /** * @param {?} input * @param {?} character * @param {?} defaultValues * @return {?} */ function _splitAt(input, character, defaultValues) { const /** @type {?} */ characterIndex = input.indexOf(character); if (characterIndex == -1) return defaultValues; return [input.slice(0, characterIndex).trim(), input.slice(characterIndex + 1).trim()]; } /** * @param {?} value * @param {?} visitor * @param {?} context * @return {?} */ function visitValue(value, visitor, context) { if (Array.isArray(value)) { return visitor.visitArray(/** @type {?} */ (value), context); } if (isStrictStringMap(value)) { return visitor.visitStringMap(/** @type {?} */ (value), context); } if (value == null || typeof value == 'string' || typeof value == 'number' || typeof value == 'boolean') { return visitor.visitPrimitive(value, context); } return visitor.visitOther(value, context); } /** * @param {?} val * @return {?} */ function isDefined(val) { return val !== null && val !== undefined; } /** * @template T * @param {?} val * @return {?} */ function noUndefined(val) { return val === undefined ? /** @type {?} */ ((null)) : val; } /** * @record */ class ValueTransformer { /** * @param {?} arr * @param {?} context * @return {?} */ visitArray(arr, context) { return arr.map(value => visitValue(value, this, context)); } /** * @param {?} map * @param {?} context * @return {?} */ visitStringMap(map, context) { const /** @type {?} */ result = {}; Object.keys(map).forEach(key => { result[key] = visitValue(map[key], this, context); }); return result; } /** * @param {?} value * @param {?} context * @return {?} */ visitPrimitive(value, context) { return value; } /** * @param {?} value * @param {?} context * @return {?} */ visitOther(value, context) { return value; } } const SyncAsync = { assertSync: (value) => { if (isPromise(value)) { throw new Error(`Illegal state: value cannot be a promise`); } return value; }, then: (value, cb) => { return isPromise(value) ? value.then(cb) : cb(value); }, all: (syncAsyncValues) => { return syncAsyncValues.some(isPromise) ? Promise.all(syncAsyncValues) : /** @type {?} */ (syncAsyncValues); } }; /** * @param {?} msg * @param {?=} parseErrors * @return {?} */ function syntaxError(msg, parseErrors) { const /** @type {?} */ error = Error(msg); (/** @type {?} */ (error))[ERROR_SYNTAX_ERROR] = true; if (parseErrors) (/** @type {?} */ (error))[ERROR_PARSE_ERRORS] = parseErrors; return error; } const ERROR_SYNTAX_ERROR = 'ngSyntaxError'; const ERROR_PARSE_ERRORS = 'ngParseErrors'; /** * @param {?} error * @return {?} */ function isSyntaxError(error) { return (/** @type {?} */ (error))[ERROR_SYNTAX_ERROR]; } /** * @param {?} error * @return {?} */ function getParseErrors(error) { return (/** @type {?} */ (error))[ERROR_PARSE_ERRORS] || []; } /** * @param {?} s * @return {?} */ function escapeRegExp(s) { return s.replace(/([.*+?^=!:${}()|[\]\/\\])/g, '\\$1'); } const STRING_MAP_PROTO = Object.getPrototypeOf({}); /** * @param {?} obj * @return {?} */ function isStrictStringMap(obj) { return typeof obj === 'object' && obj !== null && Object.getPrototypeOf(obj) === STRING_MAP_PROTO; } /** * @param {?} str * @return {?} */ function utf8Encode(str) { let /** @type {?} */ encoded = ''; for (let /** @type {?} */ index = 0; index < str.length; index++) { let /** @type {?} */ codePoint = str.charCodeAt(index); // decode surrogate // see https://mathiasbynens.be/notes/javascript-encoding#surrogate-formulae if (codePoint >= 0xd800 && codePoint <= 0xdbff && str.length > (index + 1)) { const /** @type {?} */ low = str.charCodeAt(index + 1); if (low >= 0xdc00 && low <= 0xdfff) { index++; codePoint = ((codePoint - 0xd800) << 10) + low - 0xdc00 + 0x10000; } } if (codePoint <= 0x7f) { encoded += String.fromCharCode(codePoint); } else if (codePoint <= 0x7ff) { encoded += String.fromCharCode(((codePoint >> 6) & 0x1F) | 0xc0, (codePoint & 0x3f) | 0x80); } else if (codePoint <= 0xffff) { encoded += String.fromCharCode((codePoint >> 12) | 0xe0, ((codePoint >> 6) & 0x3f) | 0x80, (codePoint & 0x3f) | 0x80); } else if (codePoint <= 0x1fffff) { encoded += String.fromCharCode(((codePoint >> 18) & 0x07) | 0xf0, ((codePoint >> 12) & 0x3f) | 0x80, ((codePoint >> 6) & 0x3f) | 0x80, (codePoint & 0x3f) | 0x80); } } return encoded; } /** * @record */ /** * @param {?} token * @return {?} */ function stringify(token) { if (typeof token === 'string') { return token; } if (token instanceof Array) { return '[' + token.map(stringify).join(', ') + ']'; } if (token == null) { return '' + token; } if (token.overriddenName) { return `${token.overriddenName}`; } if (token.name) { return `${token.name}`; } const /** @type {?} */ res = token.toString(); if (res == null) { return '' + res; } const /** @type {?} */ newLineIndex = res.indexOf('\n'); return newLineIndex === -1 ? res : res.substring(0, newLineIndex); } /** * Lazily retrieves the reference value from a forwardRef. * @param {?} type * @return {?} */ function resolveForwardRef(type) { if (typeof type === 'function' && type.hasOwnProperty('__forward_ref__')) { return type(); } else { return type; } } /** * Determine if the argument is shaped like a Promise * @param {?} obj * @return {?} */ function isPromise(obj) { // allow any Promise/A+ compliant thenable. // It's up to the caller to ensure that obj.then conforms to the spec return !!obj && typeof obj.then === 'function'; } class Version { /** * @param {?} full */ constructor(full) { this.full = full; const /** @type {?} */ splits = full.split('.'); this.major = splits[0]; this.minor = splits[1]; this.patch = splits.slice(2).join('.'); } } /** * @record */ /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * \@stable */ const VERSION = new Version('5.2.10'); /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * An Abstract Syntax Tree node representing part of a parsed Angular template. * @record */ /** * A segment of text within the template. */ class TextAst { /** * @param {?} value * @param {?} ngContentIndex * @param {?} sourceSpan */ constructor(value, ngContentIndex, sourceSpan) { this.value = value; this.ngContentIndex = ngContentIndex; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitText(this, context); } } /** * A bound expression within the text of a template. */ class BoundTextAst { /** * @param {?} value * @param {?} ngContentIndex * @param {?} sourceSpan */ constructor(value, ngContentIndex, sourceSpan) { this.value = value; this.ngContentIndex = ngContentIndex; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitBoundText(this, context); } } /** * A plain attribute on an element. */ class AttrAst { /** * @param {?} name * @param {?} value * @param {?} sourceSpan */ constructor(name, value, sourceSpan) { this.name = name; this.value = value; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitAttr(this, context); } } /** * A binding for an element property (e.g. `[property]="expression"`) or an animation trigger (e.g. * `[\@trigger]="stateExp"`) */ class BoundElementPropertyAst { /** * @param {?} name * @param {?} type * @param {?} securityContext * @param {?} value * @param {?} unit * @param {?} sourceSpan */ constructor(name, type, securityContext, value, unit, sourceSpan) { this.name = name; this.type = type; this.securityContext = securityContext; this.value = value; this.unit = unit; this.sourceSpan = sourceSpan; this.isAnimation = this.type === PropertyBindingType.Animation; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitElementProperty(this, context); } } /** * A binding for an element event (e.g. `(event)="handler()"`) or an animation trigger event (e.g. * `(\@trigger.phase)="callback($event)"`). */ class BoundEventAst { /** * @param {?} name * @param {?} target * @param {?} phase * @param {?} handler * @param {?} sourceSpan */ constructor(name, target, phase, handler, sourceSpan) { this.name = name; this.target = target; this.phase = phase; this.handler = handler; this.sourceSpan = sourceSpan; this.fullName = BoundEventAst.calcFullName(this.name, this.target, this.phase); this.isAnimation = !!this.phase; } /** * @param {?} name * @param {?} target * @param {?} phase * @return {?} */ static calcFullName(name, target, phase) { if (target) { return `${target}:${name}`; } else if (phase) { return `@${name}.${phase}`; } else { return name; } } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitEvent(this, context); } } /** * A reference declaration on an element (e.g. `let someName="expression"`). */ class ReferenceAst { /** * @param {?} name * @param {?} value * @param {?} sourceSpan */ constructor(name, value, sourceSpan) { this.name = name; this.value = value; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitReference(this, context); } } /** * A variable declaration on a (e.g. `var-someName="someLocalName"`). */ class VariableAst { /** * @param {?} name * @param {?} value * @param {?} sourceSpan */ constructor(name, value, sourceSpan) { this.name = name; this.value = value; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitVariable(this, context); } } /** * An element declaration in a template. */ class ElementAst { /** * @param {?} name * @param {?} attrs * @param {?} inputs * @param {?} outputs * @param {?} references * @param {?} directives * @param {?} providers * @param {?} hasViewContainer * @param {?} queryMatches * @param {?} children * @param {?} ngContentIndex * @param {?} sourceSpan * @param {?} endSourceSpan */ constructor(name, attrs, inputs, outputs, references, directives, providers, hasViewContainer, queryMatches, children, ngContentIndex, sourceSpan, endSourceSpan) { this.name = name; this.attrs = attrs; this.inputs = inputs; this.outputs = outputs; this.references = references; this.directives = directives; this.providers = providers; this.hasViewContainer = hasViewContainer; this.queryMatches = queryMatches; this.children = children; this.ngContentIndex = ngContentIndex; this.sourceSpan = sourceSpan; this.endSourceSpan = endSourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitElement(this, context); } } /** * A `` element included in an Angular template. */ class EmbeddedTemplateAst { /** * @param {?} attrs * @param {?} outputs * @param {?} references * @param {?} variables * @param {?} directives * @param {?} providers * @param {?} hasViewContainer * @param {?} queryMatches * @param {?} children * @param {?} ngContentIndex * @param {?} sourceSpan */ constructor(attrs, outputs, references, variables, directives, providers, hasViewContainer, queryMatches, children, ngContentIndex, sourceSpan) { this.attrs = attrs; this.outputs = outputs; this.references = references; this.variables = variables; this.directives = directives; this.providers = providers; this.hasViewContainer = hasViewContainer; this.queryMatches = queryMatches; this.children = children; this.ngContentIndex = ngContentIndex; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitEmbeddedTemplate(this, context); } } /** * A directive property with a bound value (e.g. `*ngIf="condition"). */ class BoundDirectivePropertyAst { /** * @param {?} directiveName * @param {?} templateName * @param {?} value * @param {?} sourceSpan */ constructor(directiveName, templateName, value, sourceSpan) { this.directiveName = directiveName; this.templateName = templateName; this.value = value; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitDirectiveProperty(this, context); } } /** * A directive declared on an element. */ class DirectiveAst { /** * @param {?} directive * @param {?} inputs * @param {?} hostProperties * @param {?} hostEvents * @param {?} contentQueryStartId * @param {?} sourceSpan */ constructor(directive, inputs, hostProperties, hostEvents, contentQueryStartId, sourceSpan) { this.directive = directive; this.inputs = inputs; this.hostProperties = hostProperties; this.hostEvents = hostEvents; this.contentQueryStartId = contentQueryStartId; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitDirective(this, context); } } /** * A provider declared on an element */ class ProviderAst { /** * @param {?} token * @param {?} multiProvider * @param {?} eager * @param {?} providers * @param {?} providerType * @param {?} lifecycleHooks * @param {?} sourceSpan */ constructor(token, multiProvider, eager, providers, providerType, lifecycleHooks, sourceSpan) { this.token = token; this.multiProvider = multiProvider; this.eager = eager; this.providers = providers; this.providerType = providerType; this.lifecycleHooks = lifecycleHooks; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { // No visit method in the visitor for now... return null; } } /** @enum {number} */ const ProviderAstType = { PublicService: 0, PrivateService: 1, Component: 2, Directive: 3, Builtin: 4, }; ProviderAstType[ProviderAstType.PublicService] = "PublicService"; ProviderAstType[ProviderAstType.PrivateService] = "PrivateService"; ProviderAstType[ProviderAstType.Component] = "Component"; ProviderAstType[ProviderAstType.Directive] = "Directive"; ProviderAstType[ProviderAstType.Builtin] = "Builtin"; /** * Position where content is to be projected (instance of `` in a template). */ class NgContentAst { /** * @param {?} index * @param {?} ngContentIndex * @param {?} sourceSpan */ constructor(index, ngContentIndex, sourceSpan) { this.index = index; this.ngContentIndex = ngContentIndex; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitNgContent(this, context); } } /** @enum {number} */ const PropertyBindingType = { /** * A normal binding to a property (e.g. `[property]="expression"`). */ Property: 0, /** * A binding to an element attribute (e.g. `[attr.name]="expression"`). */ Attribute: 1, /** * A binding to a CSS class (e.g. `[class.name]="condition"`). */ Class: 2, /** * A binding to a style rule (e.g. `[style.rule]="expression"`). */ Style: 3, /** * A binding to an animation reference (e.g. `[animate.key]="expression"`). */ Animation: 4, }; PropertyBindingType[PropertyBindingType.Property] = "Property"; PropertyBindingType[PropertyBindingType.Attribute] = "Attribute"; PropertyBindingType[PropertyBindingType.Class] = "Class"; PropertyBindingType[PropertyBindingType.Style] = "Style"; PropertyBindingType[PropertyBindingType.Animation] = "Animation"; /** * @record */ /** * A visitor for {\@link TemplateAst} trees that will process each node. * @record */ /** * A visitor that accepts each node but doesn't do anything. It is intended to be used * as the base class for a visitor that is only interested in a subset of the node types. */ class NullTemplateVisitor { /** * @param {?} ast * @param {?} context * @return {?} */ visitNgContent(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitEmbeddedTemplate(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitElement(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitReference(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitVariable(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitEvent(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitElementProperty(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitAttr(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitBoundText(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitText(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitDirective(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitDirectiveProperty(ast, context) { } } /** * Base class that can be used to build a visitor that visits each node * in an template ast recursively. */ class RecursiveTemplateAstVisitor extends NullTemplateVisitor { constructor() { super(); } /** * @param {?} ast * @param {?} context * @return {?} */ visitEmbeddedTemplate(ast, context) { return this.visitChildren(context, visit => { visit(ast.attrs); visit(ast.references); visit(ast.variables); visit(ast.directives); visit(ast.providers); visit(ast.children); }); } /** * @param {?} ast * @param {?} context * @return {?} */ visitElement(ast, context) { return this.visitChildren(context, visit => { visit(ast.attrs); visit(ast.inputs); visit(ast.outputs); visit(ast.references); visit(ast.directives); visit(ast.providers); visit(ast.children); }); } /** * @param {?} ast * @param {?} context * @return {?} */ visitDirective(ast, context) { return this.visitChildren(context, visit => { visit(ast.inputs); visit(ast.hostProperties); visit(ast.hostEvents); }); } /** * @template T * @param {?} context * @param {?} cb * @return {?} */ visitChildren(context, cb) { let /** @type {?} */ results = []; let /** @type {?} */ t = this; /** * @template T * @param {?} children * @return {?} */ function visit(children) { if (children && children.length) results.push(templateVisitAll(t, children, context)); } cb(visit); return [].concat.apply([], results); } } /** * Visit every node in a list of {\@link TemplateAst}s with the given {\@link TemplateAstVisitor}. * @param {?} visitor * @param {?} asts * @param {?=} context * @return {?} */ function templateVisitAll(visitor, asts, context = null) { const /** @type {?} */ result = []; const /** @type {?} */ visit = visitor.visit ? (ast) => /** @type {?} */ ((visitor.visit))(ast, context) || ast.visit(visitor, context) : (ast) => ast.visit(visitor, context); asts.forEach(ast => { const /** @type {?} */ astResult = visit(ast); if (astResult) { result.push(astResult); } }); return result; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class CompilerConfig { /** * @param {?=} __0 */ constructor({ defaultEncapsulation = ViewEncapsulation.Emulated, useJit = true, jitDevMode = false, missingTranslation = null, enableLegacyTemplate, preserveWhitespaces, strictInjectionParameters } = {}) { this.defaultEncapsulation = defaultEncapsulation; this.useJit = !!useJit; this.jitDevMode = !!jitDevMode; this.missingTranslation = missingTranslation; this.enableLegacyTemplate = enableLegacyTemplate === true; this.preserveWhitespaces = preserveWhitespacesDefault(noUndefined(preserveWhitespaces)); this.strictInjectionParameters = strictInjectionParameters === true; } } /** * @param {?} preserveWhitespacesOption * @param {?=} defaultSetting * @return {?} */ function preserveWhitespacesDefault(preserveWhitespacesOption, defaultSetting = true) { return preserveWhitespacesOption === null ? defaultSetting : preserveWhitespacesOption; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * A token representing the a reference to a static type. * * This token is unique for a filePath and name and can be used as a hash table key. */ class StaticSymbol { /** * @param {?} filePath * @param {?} name * @param {?} members */ constructor(filePath, name, members) { this.filePath = filePath; this.name = name; this.members = members; } /** * @return {?} */ assertNoMembers() { if (this.members.length) { throw new Error(`Illegal state: symbol without members expected, but got ${JSON.stringify(this)}.`); } } } /** * A cache of static symbol used by the StaticReflector to return the same symbol for the * same symbol values. */ class StaticSymbolCache { constructor() { this.cache = new Map(); } /** * @param {?} declarationFile * @param {?} name * @param {?=} members * @return {?} */ get(declarationFile, name, members) { members = members || []; const /** @type {?} */ memberSuffix = members.length ? `.${members.join('.')}` : ''; const /** @type {?} */ key = `"${declarationFile}".${name}${memberSuffix}`; let /** @type {?} */ result = this.cache.get(key); if (!result) { result = new StaticSymbol(declarationFile, name, members); this.cache.set(key, result); } return result; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ // group 0: "[prop] or (event) or @trigger" // group 1: "prop" from "[prop]" // group 2: "event" from "(event)" // group 3: "@trigger" from "@trigger" const HOST_REG_EXP = /^(?:(?:\[([^\]]+)\])|(?:\(([^\)]+)\)))|(\@[-\w]+)$/; /** * @param {?} name * @return {?} */ function _sanitizeIdentifier(name) { return name.replace(/\W/g, '_'); } let _anonymousTypeIndex = 0; /** * @param {?} compileIdentifier * @return {?} */ function identifierName(compileIdentifier) { if (!compileIdentifier || !compileIdentifier.reference) { return null; } const /** @type {?} */ ref = compileIdentifier.reference; if (ref instanceof StaticSymbol) { return ref.name; } if (ref['__anonymousType']) { return ref['__anonymousType']; } let /** @type {?} */ identifier = stringify(ref); if (identifier.indexOf('(') >= 0) { // case: anonymous functions! identifier = `anonymous_${_anonymousTypeIndex++}`; ref['__anonymousType'] = identifier; } else { identifier = _sanitizeIdentifier(identifier); } return identifier; } /** * @param {?} compileIdentifier * @return {?} */ function identifierModuleUrl(compileIdentifier) { const /** @type {?} */ ref = compileIdentifier.reference; if (ref instanceof StaticSymbol) { return ref.filePath; } // Runtime type return `./${stringify(ref)}`; } /** * @param {?} compType * @param {?} embeddedTemplateIndex * @return {?} */ function viewClassName(compType, embeddedTemplateIndex) { return `View_${identifierName({ reference: compType })}_${embeddedTemplateIndex}`; } /** * @param {?} compType * @return {?} */ function rendererTypeName(compType) { return `RenderType_${identifierName({ reference: compType })}`; } /** * @param {?} compType * @return {?} */ function hostViewClassName(compType) { return `HostView_${identifierName({ reference: compType })}`; } /** * @param {?} compType * @return {?} */ function componentFactoryName(compType) { return `${identifierName({ reference: compType })}NgFactory`; } /** * @record */ /** * @record */ /** @enum {number} */ const CompileSummaryKind = { Pipe: 0, Directive: 1, NgModule: 2, Injectable: 3, }; CompileSummaryKind[CompileSummaryKind.Pipe] = "Pipe"; CompileSummaryKind[CompileSummaryKind.Directive] = "Directive"; CompileSummaryKind[CompileSummaryKind.NgModule] = "NgModule"; CompileSummaryKind[CompileSummaryKind.Injectable] = "Injectable"; /** * A CompileSummary is the data needed to use a directive / pipe / module * in other modules / components. However, this data is not enough to compile * the directive / module itself. * @record */ /** * @record */ /** * @record */ /** * @record */ /** * @param {?} token * @return {?} */ function tokenName(token) { return token.value != null ? _sanitizeIdentifier(token.value) : identifierName(token.identifier); } /** * @param {?} token * @return {?} */ function tokenReference(token) { if (token.identifier != null) { return token.identifier.reference; } else { return token.value; } } /** * @record */ /** * Metadata regarding compilation of a type. * @record */ /** * @record */ /** * Metadata about a stylesheet */ class CompileStylesheetMetadata { /** * @param {?=} __0 */ constructor({ moduleUrl, styles, styleUrls } = {}) { this.moduleUrl = moduleUrl || null; this.styles = _normalizeArray(styles); this.styleUrls = _normalizeArray(styleUrls); } } /** * Summary Metadata regarding compilation of a template. * @record */ /** * Metadata regarding compilation of a template. */ class CompileTemplateMetadata { /** * @param {?} __0 */ constructor({ encapsulation, template, templateUrl, htmlAst, styles, styleUrls, externalStylesheets, animations, ngContentSelectors, interpolation, isInline, preserveWhitespaces }) { this.encapsulation = encapsulation; this.template = template; this.templateUrl = templateUrl; this.htmlAst = htmlAst; this.styles = _normalizeArray(styles); this.styleUrls = _normalizeArray(styleUrls); this.externalStylesheets = _normalizeArray(externalStylesheets); this.animations = animations ? flatten(animations) : []; this.ngContentSelectors = ngContentSelectors || []; if (interpolation && interpolation.length != 2) { throw new Error(`'interpolation' should have a start and an end symbol.`); } this.interpolation = interpolation; this.isInline = isInline; this.preserveWhitespaces = preserveWhitespaces; } /** * @return {?} */ toSummary() { return { ngContentSelectors: this.ngContentSelectors, encapsulation: this.encapsulation, }; } } /** * @record */ /** * @record */ /** * Metadata regarding compilation of a directive. */ class CompileDirectiveMetadata { /** * @param {?} __0 * @return {?} */ static create({ isHost, type, isComponent, selector, exportAs, changeDetection, inputs, outputs, host, providers, viewProviders, queries, guards, viewQueries, entryComponents, template, componentViewType, rendererType, componentFactory }) { const /** @type {?} */ hostListeners = {}; const /** @type {?} */ hostProperties = {}; const /** @type {?} */ hostAttributes = {}; if (host != null) { Object.keys(host).forEach(key => { const /** @type {?} */ value = host[key]; const /** @type {?} */ matches = key.match(HOST_REG_EXP); if (matches === null) { hostAttributes[key] = value; } else if (matches[1] != null) { hostProperties[matches[1]] = value; } else if (matches[2] != null) { hostListeners[matches[2]] = value; } }); } const /** @type {?} */ inputsMap = {}; if (inputs != null) { inputs.forEach((bindConfig) => { // canonical syntax: `dirProp: elProp` // if there is no `:`, use dirProp = elProp const /** @type {?} */ parts = splitAtColon(bindConfig, [bindConfig, bindConfig]); inputsMap[parts[0]] = parts[1]; }); } const /** @type {?} */ outputsMap = {}; if (outputs != null) { outputs.forEach((bindConfig) => { // canonical syntax: `dirProp: elProp` // if there is no `:`, use dirProp = elProp const /** @type {?} */ parts = splitAtColon(bindConfig, [bindConfig, bindConfig]); outputsMap[parts[0]] = parts[1]; }); } return new CompileDirectiveMetadata({ isHost, type, isComponent: !!isComponent, selector, exportAs, changeDetection, inputs: inputsMap, outputs: outputsMap, hostListeners, hostProperties, hostAttributes, providers, viewProviders, queries, guards, viewQueries, entryComponents, template, componentViewType, rendererType, componentFactory, }); } /** * @param {?} __0 */ constructor({ isHost, type, isComponent, selector, exportAs, changeDetection, inputs, outputs, hostListeners, hostProperties, hostAttributes, providers, viewProviders, queries, guards, viewQueries, entryComponents, template, componentViewType, rendererType, componentFactory }) { this.isHost = !!isHost; this.type = type; this.isComponent = isComponent; this.selector = selector; this.exportAs = exportAs; this.changeDetection = changeDetection; this.inputs = inputs; this.outputs = outputs; this.hostListeners = hostListeners; this.hostProperties = hostProperties; this.hostAttributes = hostAttributes; this.providers = _normalizeArray(providers); this.viewProviders = _normalizeArray(viewProviders); this.queries = _normalizeArray(queries); this.guards = guards; this.viewQueries = _normalizeArray(viewQueries); this.entryComponents = _normalizeArray(entryComponents); this.template = template; this.componentViewType = componentViewType; this.rendererType = rendererType; this.componentFactory = componentFactory; } /** * @return {?} */ toSummary() { return { summaryKind: CompileSummaryKind.Directive, type: this.type, isComponent: this.isComponent, selector: this.selector, exportAs: this.exportAs, inputs: this.inputs, outputs: this.outputs, hostListeners: this.hostListeners, hostProperties: this.hostProperties, hostAttributes: this.hostAttributes, providers: this.providers, viewProviders: this.viewProviders, queries: this.queries, guards: this.guards, viewQueries: this.viewQueries, entryComponents: this.entryComponents, changeDetection: this.changeDetection, template: this.template && this.template.toSummary(), componentViewType: this.componentViewType, rendererType: this.rendererType, componentFactory: this.componentFactory }; } } /** * @record */ class CompilePipeMetadata { /** * @param {?} __0 */ constructor({ type, name, pure }) { this.type = type; this.name = name; this.pure = !!pure; } /** * @return {?} */ toSummary() { return { summaryKind: CompileSummaryKind.Pipe, type: this.type, name: this.name, pure: this.pure }; } } /** * @record */ /** * Metadata regarding compilation of a module. */ class CompileNgModuleMetadata { /** * @param {?} __0 */ constructor({ type, providers, declaredDirectives, exportedDirectives, declaredPipes, exportedPipes, entryComponents, bootstrapComponents, importedModules, exportedModules, schemas, transitiveModule, id }) { this.type = type || null; this.declaredDirectives = _normalizeArray(declaredDirectives); this.exportedDirectives = _normalizeArray(exportedDirectives); this.declaredPipes = _normalizeArray(declaredPipes); this.exportedPipes = _normalizeArray(exportedPipes); this.providers = _normalizeArray(providers); this.entryComponents = _normalizeArray(entryComponents); this.bootstrapComponents = _normalizeArray(bootstrapComponents); this.importedModules = _normalizeArray(importedModules); this.exportedModules = _normalizeArray(exportedModules); this.schemas = _normalizeArray(schemas); this.id = id || null; this.transitiveModule = transitiveModule || null; } /** * @return {?} */ toSummary() { const /** @type {?} */ module = /** @type {?} */ ((this.transitiveModule)); return { summaryKind: CompileSummaryKind.NgModule, type: this.type, entryComponents: module.entryComponents, providers: module.providers, modules: module.modules, exportedDirectives: module.exportedDirectives, exportedPipes: module.exportedPipes }; } } class TransitiveCompileNgModuleMetadata { constructor() { this.directivesSet = new Set(); this.directives = []; this.exportedDirectivesSet = new Set(); this.exportedDirectives = []; this.pipesSet = new Set(); this.pipes = []; this.exportedPipesSet = new Set(); this.exportedPipes = []; this.modulesSet = new Set(); this.modules = []; this.entryComponentsSet = new Set(); this.entryComponents = []; this.providers = []; } /** * @param {?} provider * @param {?} module * @return {?} */ addProvider(provider, module) { this.providers.push({ provider: provider, module: module }); } /** * @param {?} id * @return {?} */ addDirective(id) { if (!this.directivesSet.has(id.reference)) { this.directivesSet.add(id.reference); this.directives.push(id); } } /** * @param {?} id * @return {?} */ addExportedDirective(id) { if (!this.exportedDirectivesSet.has(id.reference)) { this.exportedDirectivesSet.add(id.reference); this.exportedDirectives.push(id); } } /** * @param {?} id * @return {?} */ addPipe(id) { if (!this.pipesSet.has(id.reference)) { this.pipesSet.add(id.reference); this.pipes.push(id); } } /** * @param {?} id * @return {?} */ addExportedPipe(id) { if (!this.exportedPipesSet.has(id.reference)) { this.exportedPipesSet.add(id.reference); this.exportedPipes.push(id); } } /** * @param {?} id * @return {?} */ addModule(id) { if (!this.modulesSet.has(id.reference)) { this.modulesSet.add(id.reference); this.modules.push(id); } } /** * @param {?} ec * @return {?} */ addEntryComponent(ec) { if (!this.entryComponentsSet.has(ec.componentType)) { this.entryComponentsSet.add(ec.componentType); this.entryComponents.push(ec); } } } /** * @param {?} obj * @return {?} */ function _normalizeArray(obj) { return obj || []; } class ProviderMeta { /** * @param {?} token * @param {?} __1 */ constructor(token, { useClass, useValue, useExisting, useFactory, deps, multi }) { this.token = token; this.useClass = useClass || null; this.useValue = useValue; this.useExisting = useExisting; this.useFactory = useFactory || null; this.dependencies = deps || null; this.multi = !!multi; } } /** * @template T * @param {?} list * @return {?} */ function flatten(list) { return list.reduce((flat, item) => { const /** @type {?} */ flatItem = Array.isArray(item) ? flatten(item) : item; return (/** @type {?} */ (flat)).concat(flatItem); }, []); } /** * @param {?} url * @return {?} */ function jitSourceUrl(url) { // Note: We need 3 "/" so that ng shows up as a separate domain // in the chrome dev tools. return url.replace(/(\w+:\/\/[\w:-]+)?(\/+)?/, 'ng:///'); } /** * @param {?} ngModuleType * @param {?} compMeta * @param {?} templateMeta * @return {?} */ function templateSourceUrl(ngModuleType, compMeta, templateMeta) { let /** @type {?} */ url; if (templateMeta.isInline) { if (compMeta.type.reference instanceof StaticSymbol) { // Note: a .ts file might contain multiple components with inline templates, // so we need to give them unique urls, as these will be used for sourcemaps. url = `${compMeta.type.reference.filePath}.${compMeta.type.reference.name}.html`; } else { url = `${identifierName(ngModuleType)}/${identifierName(compMeta.type)}.html`; } } else { url = /** @type {?} */ ((templateMeta.templateUrl)); } return compMeta.type.reference instanceof StaticSymbol ? url : jitSourceUrl(url); } /** * @param {?} meta * @param {?} id * @return {?} */ function sharedStylesheetJitUrl(meta, id) { const /** @type {?} */ pathParts = /** @type {?} */ ((meta.moduleUrl)).split(/\/\\/g); const /** @type {?} */ baseName = pathParts[pathParts.length - 1]; return jitSourceUrl(`css/${id}${baseName}.ngstyle.js`); } /** * @param {?} moduleMeta * @return {?} */ function ngModuleJitUrl(moduleMeta) { return jitSourceUrl(`${identifierName(moduleMeta.type)}/module.ngfactory.js`); } /** * @param {?} ngModuleType * @param {?} compMeta * @return {?} */ function templateJitUrl(ngModuleType, compMeta) { return jitSourceUrl(`${identifierName(ngModuleType)}/${identifierName(compMeta.type)}.ngfactory.js`); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * A path is an ordered set of elements. Typically a path is to a * particular offset in a source file. The head of the list is the top * most node. The tail is the node that contains the offset directly. * * For example, the expresion `a + b + c` might have an ast that looks * like: * + * / \ * a + * / \ * b c * * The path to the node at offset 9 would be `['+' at 1-10, '+' at 7-10, * 'c' at 9-10]` and the path the node at offset 1 would be * `['+' at 1-10, 'a' at 1-2]`. * @template T */ class AstPath { /** * @param {?} path * @param {?=} position */ constructor(path, position = -1) { this.path = path; this.position = position; } /** * @return {?} */ get empty() { return !this.path || !this.path.length; } /** * @return {?} */ get head() { return this.path[0]; } /** * @return {?} */ get tail() { return this.path[this.path.length - 1]; } /** * @param {?} node * @return {?} */ parentOf(node) { return node && this.path[this.path.indexOf(node) - 1]; } /** * @param {?} node * @return {?} */ childOf(node) { return this.path[this.path.indexOf(node) + 1]; } /** * @template N * @param {?} ctor * @return {?} */ first(ctor) { for (let /** @type {?} */ i = this.path.length - 1; i >= 0; i--) { let /** @type {?} */ item = this.path[i]; if (item instanceof ctor) return /** @type {?} */ (item); } } /** * @param {?} node * @return {?} */ push(node) { this.path.push(node); } /** * @return {?} */ pop() { return /** @type {?} */ ((this.path.pop())); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @record */ class Text { /** * @param {?} value * @param {?} sourceSpan */ constructor(value, sourceSpan) { this.value = value; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitText(this, context); } } class Expansion { /** * @param {?} switchValue * @param {?} type * @param {?} cases * @param {?} sourceSpan * @param {?} switchValueSourceSpan */ constructor(switchValue, type, cases, sourceSpan, switchValueSourceSpan) { this.switchValue = switchValue; this.type = type; this.cases = cases; this.sourceSpan = sourceSpan; this.switchValueSourceSpan = switchValueSourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitExpansion(this, context); } } class ExpansionCase { /** * @param {?} value * @param {?} expression * @param {?} sourceSpan * @param {?} valueSourceSpan * @param {?} expSourceSpan */ constructor(value, expression, sourceSpan, valueSourceSpan, expSourceSpan) { this.value = value; this.expression = expression; this.sourceSpan = sourceSpan; this.valueSourceSpan = valueSourceSpan; this.expSourceSpan = expSourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitExpansionCase(this, context); } } class Attribute$1 { /** * @param {?} name * @param {?} value * @param {?} sourceSpan * @param {?=} valueSpan */ constructor(name, value, sourceSpan, valueSpan) { this.name = name; this.value = value; this.sourceSpan = sourceSpan; this.valueSpan = valueSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitAttribute(this, context); } } class Element { /** * @param {?} name * @param {?} attrs * @param {?} children * @param {?} sourceSpan * @param {?=} startSourceSpan * @param {?=} endSourceSpan */ constructor(name, attrs, children, sourceSpan, startSourceSpan = null, endSourceSpan = null) { this.name = name; this.attrs = attrs; this.children = children; this.sourceSpan = sourceSpan; this.startSourceSpan = startSourceSpan; this.endSourceSpan = endSourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitElement(this, context); } } class Comment { /** * @param {?} value * @param {?} sourceSpan */ constructor(value, sourceSpan) { this.value = value; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?} context * @return {?} */ visit(visitor, context) { return visitor.visitComment(this, context); } } /** * @record */ /** * @param {?} visitor * @param {?} nodes * @param {?=} context * @return {?} */ function visitAll(visitor, nodes, context = null) { const /** @type {?} */ result = []; const /** @type {?} */ visit = visitor.visit ? (ast) => /** @type {?} */ ((visitor.visit))(ast, context) || ast.visit(visitor, context) : (ast) => ast.visit(visitor, context); nodes.forEach(ast => { const /** @type {?} */ astResult = visit(ast); if (astResult) { result.push(astResult); } }); return result; } class RecursiveVisitor { constructor() { } /** * @param {?} ast * @param {?} context * @return {?} */ visitElement(ast, context) { this.visitChildren(context, visit => { visit(ast.attrs); visit(ast.children); }); } /** * @param {?} ast * @param {?} context * @return {?} */ visitAttribute(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitText(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitComment(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitExpansion(ast, context) { return this.visitChildren(context, visit => { visit(ast.cases); }); } /** * @param {?} ast * @param {?} context * @return {?} */ visitExpansionCase(ast, context) { } /** * @template T * @param {?} context * @param {?} cb * @return {?} */ visitChildren(context, cb) { let /** @type {?} */ results = []; let /** @type {?} */ t = this; /** * @template T * @param {?} children * @return {?} */ function visit(children) { if (children) results.push(visitAll(t, children, context)); } cb(visit); return [].concat.apply([], results); } } /** * @param {?} ast * @return {?} */ function spanOf(ast) { const /** @type {?} */ start = ast.sourceSpan.start.offset; let /** @type {?} */ end = ast.sourceSpan.end.offset; if (ast instanceof Element) { if (ast.endSourceSpan) { end = ast.endSourceSpan.end.offset; } else if (ast.children && ast.children.length) { end = spanOf(ast.children[ast.children.length - 1]).end; } } return { start, end }; } /** * @param {?} nodes * @param {?} position * @return {?} */ function findNode(nodes, position) { const /** @type {?} */ path = []; const /** @type {?} */ visitor = new class extends RecursiveVisitor { /** * @param {?} ast * @param {?} context * @return {?} */ visit(ast, context) { const /** @type {?} */ span = spanOf(ast); if (span.start <= position && position < span.end) { path.push(ast); } else { // Returning a value here will result in the children being skipped. return true; } } }; visitAll(visitor, nodes); return new AstPath(path, position); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @param {?} identifier * @param {?} value * @return {?} */ function assertArrayOfStrings(identifier, value) { if (value == null) { return; } if (!Array.isArray(value)) { throw new Error(`Expected '${identifier}' to be an array of strings.`); } for (let /** @type {?} */ i = 0; i < value.length; i += 1) { if (typeof value[i] !== 'string') { throw new Error(`Expected '${identifier}' to be an array of strings.`); } } } const INTERPOLATION_BLACKLIST_REGEXPS = [ /^\s*$/, /[<>]/, /^[{}]$/, /&(#|[a-z])/i, /^\/\//, ]; /** * @param {?} identifier * @param {?} value * @return {?} */ function assertInterpolationSymbols(identifier, value) { if (value != null && !(Array.isArray(value) && value.length == 2)) { throw new Error(`Expected '${identifier}' to be an array, [start, end].`); } else if (value != null) { const /** @type {?} */ start = /** @type {?} */ (value[0]); const /** @type {?} */ end = /** @type {?} */ (value[1]); // black list checking INTERPOLATION_BLACKLIST_REGEXPS.forEach(regexp => { if (regexp.test(start) || regexp.test(end)) { throw new Error(`['${start}', '${end}'] contains unusable interpolation symbol.`); } }); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class InterpolationConfig { /** * @param {?} start * @param {?} end */ constructor(start, end) { this.start = start; this.end = end; } /** * @param {?} markers * @return {?} */ static fromArray(markers) { if (!markers) { return DEFAULT_INTERPOLATION_CONFIG; } assertInterpolationSymbols('interpolation', markers); return new InterpolationConfig(markers[0], markers[1]); } } const DEFAULT_INTERPOLATION_CONFIG = new InterpolationConfig('{{', '}}'); /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class StyleWithImports { /** * @param {?} style * @param {?} styleUrls */ constructor(style, styleUrls) { this.style = style; this.styleUrls = styleUrls; } } /** * @param {?} url * @return {?} */ function isStyleUrlResolvable(url) { if (url == null || url.length === 0 || url[0] == '/') return false; const /** @type {?} */ schemeMatch = url.match(URL_WITH_SCHEMA_REGEXP); return schemeMatch === null || schemeMatch[1] == 'package' || schemeMatch[1] == 'asset'; } /** * Rewrites stylesheets by resolving and removing the \@import urls that * are either relative or don't have a `package:` scheme * @param {?} resolver * @param {?} baseUrl * @param {?} cssText * @return {?} */ function extractStyleUrls(resolver, baseUrl, cssText) { const /** @type {?} */ foundUrls = []; const /** @type {?} */ modifiedCssText = cssText.replace(CSS_STRIPPABLE_COMMENT_REGEXP, '') .replace(CSS_IMPORT_REGEXP, (...m) => { const /** @type {?} */ url = m[1] || m[2]; if (!isStyleUrlResolvable(url)) { // Do not attempt to resolve non-package absolute URLs with URI // scheme return m[0]; } foundUrls.push(resolver.resolve(baseUrl, url)); return ''; }); return new StyleWithImports(modifiedCssText, foundUrls); } const CSS_IMPORT_REGEXP = /@import\s+(?:url\()?\s*(?:(?:['"]([^'"]*))|([^;\)\s]*))[^;]*;?/g; const CSS_STRIPPABLE_COMMENT_REGEXP = /\/\*(?!#\s*(?:sourceURL|sourceMappingURL)=)[\s\S]+?\*\//g; const URL_WITH_SCHEMA_REGEXP = /^([^:/?#]+):/; /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** @enum {number} */ const TagContentType = { RAW_TEXT: 0, ESCAPABLE_RAW_TEXT: 1, PARSABLE_DATA: 2, }; TagContentType[TagContentType.RAW_TEXT] = "RAW_TEXT"; TagContentType[TagContentType.ESCAPABLE_RAW_TEXT] = "ESCAPABLE_RAW_TEXT"; TagContentType[TagContentType.PARSABLE_DATA] = "PARSABLE_DATA"; /** * @record */ /** * @param {?} elementName * @return {?} */ function splitNsName(elementName) { if (elementName[0] != ':') { return [null, elementName]; } const /** @type {?} */ colonIndex = elementName.indexOf(':', 1); if (colonIndex == -1) { throw new Error(`Unsupported format "${elementName}" expecting ":namespace:name"`); } return [elementName.slice(1, colonIndex), elementName.slice(colonIndex + 1)]; } /** * @param {?} tagName * @return {?} */ function isNgContainer(tagName) { return splitNsName(tagName)[1] === 'ng-container'; } /** * @param {?} tagName * @return {?} */ function isNgContent(tagName) { return splitNsName(tagName)[1] === 'ng-content'; } /** * @param {?} tagName * @return {?} */ function isNgTemplate(tagName) { return splitNsName(tagName)[1] === 'ng-template'; } /** * @param {?} fullName * @return {?} */ function getNsPrefix(fullName) { return fullName === null ? null : splitNsName(fullName)[0]; } /** * @param {?} prefix * @param {?} localName * @return {?} */ function mergeNsAndName(prefix, localName) { return prefix ? `:${prefix}:${localName}` : localName; } // see http://www.w3.org/TR/html51/syntax.html#named-character-references // see https://html.spec.whatwg.org/multipage/entities.json // This list is not exhaustive to keep the compiler footprint low. // The `{` / `ƫ` syntax should be used when the named character reference does not // exist. const NAMED_ENTITIES = { 'Aacute': '\u00C1', 'aacute': '\u00E1', 'Acirc': '\u00C2', 'acirc': '\u00E2', 'acute': '\u00B4', 'AElig': '\u00C6', 'aelig': '\u00E6', 'Agrave': '\u00C0', 'agrave': '\u00E0', 'alefsym': '\u2135', 'Alpha': '\u0391', 'alpha': '\u03B1', 'amp': '&', 'and': '\u2227', 'ang': '\u2220', 'apos': '\u0027', 'Aring': '\u00C5', 'aring': '\u00E5', 'asymp': '\u2248', 'Atilde': '\u00C3', 'atilde': '\u00E3', 'Auml': '\u00C4', 'auml': '\u00E4', 'bdquo': '\u201E', 'Beta': '\u0392', 'beta': '\u03B2', 'brvbar': '\u00A6', 'bull': '\u2022', 'cap': '\u2229', 'Ccedil': '\u00C7', 'ccedil': '\u00E7', 'cedil': '\u00B8', 'cent': '\u00A2', 'Chi': '\u03A7', 'chi': '\u03C7', 'circ': '\u02C6', 'clubs': '\u2663', 'cong': '\u2245', 'copy': '\u00A9', 'crarr': '\u21B5', 'cup': '\u222A', 'curren': '\u00A4', 'dagger': '\u2020', 'Dagger': '\u2021', 'darr': '\u2193', 'dArr': '\u21D3', 'deg': '\u00B0', 'Delta': '\u0394', 'delta': '\u03B4', 'diams': '\u2666', 'divide': '\u00F7', 'Eacute': '\u00C9', 'eacute': '\u00E9', 'Ecirc': '\u00CA', 'ecirc': '\u00EA', 'Egrave': '\u00C8', 'egrave': '\u00E8', 'empty': '\u2205', 'emsp': '\u2003', 'ensp': '\u2002', 'Epsilon': '\u0395', 'epsilon': '\u03B5', 'equiv': '\u2261', 'Eta': '\u0397', 'eta': '\u03B7', 'ETH': '\u00D0', 'eth': '\u00F0', 'Euml': '\u00CB', 'euml': '\u00EB', 'euro': '\u20AC', 'exist': '\u2203', 'fnof': '\u0192', 'forall': '\u2200', 'frac12': '\u00BD', 'frac14': '\u00BC', 'frac34': '\u00BE', 'frasl': '\u2044', 'Gamma': '\u0393', 'gamma': '\u03B3', 'ge': '\u2265', 'gt': '>', 'harr': '\u2194', 'hArr': '\u21D4', 'hearts': '\u2665', 'hellip': '\u2026', 'Iacute': '\u00CD', 'iacute': '\u00ED', 'Icirc': '\u00CE', 'icirc': '\u00EE', 'iexcl': '\u00A1', 'Igrave': '\u00CC', 'igrave': '\u00EC', 'image': '\u2111', 'infin': '\u221E', 'int': '\u222B', 'Iota': '\u0399', 'iota': '\u03B9', 'iquest': '\u00BF', 'isin': '\u2208', 'Iuml': '\u00CF', 'iuml': '\u00EF', 'Kappa': '\u039A', 'kappa': '\u03BA', 'Lambda': '\u039B', 'lambda': '\u03BB', 'lang': '\u27E8', 'laquo': '\u00AB', 'larr': '\u2190', 'lArr': '\u21D0', 'lceil': '\u2308', 'ldquo': '\u201C', 'le': '\u2264', 'lfloor': '\u230A', 'lowast': '\u2217', 'loz': '\u25CA', 'lrm': '\u200E', 'lsaquo': '\u2039', 'lsquo': '\u2018', 'lt': '<', 'macr': '\u00AF', 'mdash': '\u2014', 'micro': '\u00B5', 'middot': '\u00B7', 'minus': '\u2212', 'Mu': '\u039C', 'mu': '\u03BC', 'nabla': '\u2207', 'nbsp': '\u00A0', 'ndash': '\u2013', 'ne': '\u2260', 'ni': '\u220B', 'not': '\u00AC', 'notin': '\u2209', 'nsub': '\u2284', 'Ntilde': '\u00D1', 'ntilde': '\u00F1', 'Nu': '\u039D', 'nu': '\u03BD', 'Oacute': '\u00D3', 'oacute': '\u00F3', 'Ocirc': '\u00D4', 'ocirc': '\u00F4', 'OElig': '\u0152', 'oelig': '\u0153', 'Ograve': '\u00D2', 'ograve': '\u00F2', 'oline': '\u203E', 'Omega': '\u03A9', 'omega': '\u03C9', 'Omicron': '\u039F', 'omicron': '\u03BF', 'oplus': '\u2295', 'or': '\u2228', 'ordf': '\u00AA', 'ordm': '\u00BA', 'Oslash': '\u00D8', 'oslash': '\u00F8', 'Otilde': '\u00D5', 'otilde': '\u00F5', 'otimes': '\u2297', 'Ouml': '\u00D6', 'ouml': '\u00F6', 'para': '\u00B6', 'permil': '\u2030', 'perp': '\u22A5', 'Phi': '\u03A6', 'phi': '\u03C6', 'Pi': '\u03A0', 'pi': '\u03C0', 'piv': '\u03D6', 'plusmn': '\u00B1', 'pound': '\u00A3', 'prime': '\u2032', 'Prime': '\u2033', 'prod': '\u220F', 'prop': '\u221D', 'Psi': '\u03A8', 'psi': '\u03C8', 'quot': '\u0022', 'radic': '\u221A', 'rang': '\u27E9', 'raquo': '\u00BB', 'rarr': '\u2192', 'rArr': '\u21D2', 'rceil': '\u2309', 'rdquo': '\u201D', 'real': '\u211C', 'reg': '\u00AE', 'rfloor': '\u230B', 'Rho': '\u03A1', 'rho': '\u03C1', 'rlm': '\u200F', 'rsaquo': '\u203A', 'rsquo': '\u2019', 'sbquo': '\u201A', 'Scaron': '\u0160', 'scaron': '\u0161', 'sdot': '\u22C5', 'sect': '\u00A7', 'shy': '\u00AD', 'Sigma': '\u03A3', 'sigma': '\u03C3', 'sigmaf': '\u03C2', 'sim': '\u223C', 'spades': '\u2660', 'sub': '\u2282', 'sube': '\u2286', 'sum': '\u2211', 'sup': '\u2283', 'sup1': '\u00B9', 'sup2': '\u00B2', 'sup3': '\u00B3', 'supe': '\u2287', 'szlig': '\u00DF', 'Tau': '\u03A4', 'tau': '\u03C4', 'there4': '\u2234', 'Theta': '\u0398', 'theta': '\u03B8', 'thetasym': '\u03D1', 'thinsp': '\u2009', 'THORN': '\u00DE', 'thorn': '\u00FE', 'tilde': '\u02DC', 'times': '\u00D7', 'trade': '\u2122', 'Uacute': '\u00DA', 'uacute': '\u00FA', 'uarr': '\u2191', 'uArr': '\u21D1', 'Ucirc': '\u00DB', 'ucirc': '\u00FB', 'Ugrave': '\u00D9', 'ugrave': '\u00F9', 'uml': '\u00A8', 'upsih': '\u03D2', 'Upsilon': '\u03A5', 'upsilon': '\u03C5', 'Uuml': '\u00DC', 'uuml': '\u00FC', 'weierp': '\u2118', 'Xi': '\u039E', 'xi': '\u03BE', 'Yacute': '\u00DD', 'yacute': '\u00FD', 'yen': '\u00A5', 'yuml': '\u00FF', 'Yuml': '\u0178', 'Zeta': '\u0396', 'zeta': '\u03B6', 'zwj': '\u200D', 'zwnj': '\u200C', }; // The &ngsp; pseudo-entity is denoting a space. see: // https://github.com/dart-lang/angular/blob/0bb611387d29d65b5af7f9d2515ab571fd3fbee4/_tests/test/compiler/preserve_whitespace_test.dart const NGSP_UNICODE = '\uE500'; NAMED_ENTITIES['ngsp'] = NGSP_UNICODE; /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const NG_CONTENT_SELECT_ATTR = 'select'; const LINK_ELEMENT = 'link'; const LINK_STYLE_REL_ATTR = 'rel'; const LINK_STYLE_HREF_ATTR = 'href'; const LINK_STYLE_REL_VALUE = 'stylesheet'; const STYLE_ELEMENT = 'style'; const SCRIPT_ELEMENT = 'script'; const NG_NON_BINDABLE_ATTR = 'ngNonBindable'; const NG_PROJECT_AS = 'ngProjectAs'; /** * @param {?} ast * @return {?} */ function preparseElement(ast) { let /** @type {?} */ selectAttr = /** @type {?} */ ((null)); let /** @type {?} */ hrefAttr = /** @type {?} */ ((null)); let /** @type {?} */ relAttr = /** @type {?} */ ((null)); let /** @type {?} */ nonBindable = false; let /** @type {?} */ projectAs = /** @type {?} */ ((null)); ast.attrs.forEach(attr => { const /** @type {?} */ lcAttrName = attr.name.toLowerCase(); if (lcAttrName == NG_CONTENT_SELECT_ATTR) { selectAttr = attr.value; } else if (lcAttrName == LINK_STYLE_HREF_ATTR) { hrefAttr = attr.value; } else if (lcAttrName == LINK_STYLE_REL_ATTR) { relAttr = attr.value; } else if (attr.name == NG_NON_BINDABLE_ATTR) { nonBindable = true; } else if (attr.name == NG_PROJECT_AS) { if (attr.value.length > 0) { projectAs = attr.value; } } }); selectAttr = normalizeNgContentSelect(selectAttr); const /** @type {?} */ nodeName = ast.name.toLowerCase(); let /** @type {?} */ type = PreparsedElementType.OTHER; if (isNgContent(nodeName)) { type = PreparsedElementType.NG_CONTENT; } else if (nodeName == STYLE_ELEMENT) { type = PreparsedElementType.STYLE; } else if (nodeName == SCRIPT_ELEMENT) { type = PreparsedElementType.SCRIPT; } else if (nodeName == LINK_ELEMENT && relAttr == LINK_STYLE_REL_VALUE) { type = PreparsedElementType.STYLESHEET; } return new PreparsedElement(type, selectAttr, hrefAttr, nonBindable, projectAs); } /** @enum {number} */ const PreparsedElementType = { NG_CONTENT: 0, STYLE: 1, STYLESHEET: 2, SCRIPT: 3, OTHER: 4, }; PreparsedElementType[PreparsedElementType.NG_CONTENT] = "NG_CONTENT"; PreparsedElementType[PreparsedElementType.STYLE] = "STYLE"; PreparsedElementType[PreparsedElementType.STYLESHEET] = "STYLESHEET"; PreparsedElementType[PreparsedElementType.SCRIPT] = "SCRIPT"; PreparsedElementType[PreparsedElementType.OTHER] = "OTHER"; class PreparsedElement { /** * @param {?} type * @param {?} selectAttr * @param {?} hrefAttr * @param {?} nonBindable * @param {?} projectAs */ constructor(type, selectAttr, hrefAttr, nonBindable, projectAs) { this.type = type; this.selectAttr = selectAttr; this.hrefAttr = hrefAttr; this.nonBindable = nonBindable; this.projectAs = projectAs; } } /** * @param {?} selectAttr * @return {?} */ function normalizeNgContentSelect(selectAttr) { if (selectAttr === null || selectAttr.length === 0) { return '*'; } return selectAttr; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @record */ class DirectiveNormalizer { /** * @param {?} _resourceLoader * @param {?} _urlResolver * @param {?} _htmlParser * @param {?} _config */ constructor(_resourceLoader, _urlResolver, _htmlParser, _config) { this._resourceLoader = _resourceLoader; this._urlResolver = _urlResolver; this._htmlParser = _htmlParser; this._config = _config; this._resourceLoaderCache = new Map(); } /** * @return {?} */ clearCache() { this._resourceLoaderCache.clear(); } /** * @param {?} normalizedDirective * @return {?} */ clearCacheFor(normalizedDirective) { if (!normalizedDirective.isComponent) { return; } const /** @type {?} */ template = /** @type {?} */ ((normalizedDirective.template)); this._resourceLoaderCache.delete(/** @type {?} */ ((template.templateUrl))); template.externalStylesheets.forEach((stylesheet) => { this._resourceLoaderCache.delete(/** @type {?} */ ((stylesheet.moduleUrl))); }); } /** * @param {?} url * @return {?} */ _fetch(url) { let /** @type {?} */ result = this._resourceLoaderCache.get(url); if (!result) { result = this._resourceLoader.get(url); this._resourceLoaderCache.set(url, result); } return result; } /** * @param {?} prenormData * @return {?} */ normalizeTemplate(prenormData) { if (isDefined(prenormData.template)) { if (isDefined(prenormData.templateUrl)) { throw syntaxError(`'${stringify(prenormData.componentType)}' component cannot define both template and templateUrl`); } if (typeof prenormData.template !== 'string') { throw syntaxError(`The template specified for component ${stringify(prenormData.componentType)} is not a string`); } } else if (isDefined(prenormData.templateUrl)) { if (typeof prenormData.templateUrl !== 'string') { throw syntaxError(`The templateUrl specified for component ${stringify(prenormData.componentType)} is not a string`); } } else { throw syntaxError(`No template specified for component ${stringify(prenormData.componentType)}`); } if (isDefined(prenormData.preserveWhitespaces) && typeof prenormData.preserveWhitespaces !== 'boolean') { throw syntaxError(`The preserveWhitespaces option for component ${stringify(prenormData.componentType)} must be a boolean`); } return SyncAsync.then(this._preParseTemplate(prenormData), (preparsedTemplate) => this._normalizeTemplateMetadata(prenormData, preparsedTemplate)); } /** * @param {?} prenomData * @return {?} */ _preParseTemplate(prenomData) { let /** @type {?} */ template; let /** @type {?} */ templateUrl; if (prenomData.template != null) { template = prenomData.template; templateUrl = prenomData.moduleUrl; } else { templateUrl = this._urlResolver.resolve(prenomData.moduleUrl, /** @type {?} */ ((prenomData.templateUrl))); template = this._fetch(templateUrl); } return SyncAsync.then(template, (template) => this._preparseLoadedTemplate(prenomData, template, templateUrl)); } /** * @param {?} prenormData * @param {?} template * @param {?} templateAbsUrl * @return {?} */ _preparseLoadedTemplate(prenormData, template, templateAbsUrl) { const /** @type {?} */ isInline = !!prenormData.template; const /** @type {?} */ interpolationConfig = InterpolationConfig.fromArray(/** @type {?} */ ((prenormData.interpolation))); const /** @type {?} */ rootNodesAndErrors = this._htmlParser.parse(template, templateSourceUrl({ reference: prenormData.ngModuleType }, { type: { reference: prenormData.componentType } }, { isInline, templateUrl: templateAbsUrl }), true, interpolationConfig); if (rootNodesAndErrors.errors.length > 0) { const /** @type {?} */ errorString = rootNodesAndErrors.errors.join('\n'); throw syntaxError(`Template parse errors:\n${errorString}`); } const /** @type {?} */ templateMetadataStyles = this._normalizeStylesheet(new CompileStylesheetMetadata({ styles: prenormData.styles, moduleUrl: prenormData.moduleUrl })); const /** @type {?} */ visitor = new TemplatePreparseVisitor(); visitAll(visitor, rootNodesAndErrors.rootNodes); const /** @type {?} */ templateStyles = this._normalizeStylesheet(new CompileStylesheetMetadata({ styles: visitor.styles, styleUrls: visitor.styleUrls, moduleUrl: templateAbsUrl })); const /** @type {?} */ styles = templateMetadataStyles.styles.concat(templateStyles.styles); const /** @type {?} */ inlineStyleUrls = templateMetadataStyles.styleUrls.concat(templateStyles.styleUrls); const /** @type {?} */ styleUrls = this ._normalizeStylesheet(new CompileStylesheetMetadata({ styleUrls: prenormData.styleUrls, moduleUrl: prenormData.moduleUrl })) .styleUrls; return { template, templateUrl: templateAbsUrl, isInline, htmlAst: rootNodesAndErrors, styles, inlineStyleUrls, styleUrls, ngContentSelectors: visitor.ngContentSelectors, }; } /** * @param {?} prenormData * @param {?} preparsedTemplate * @return {?} */ _normalizeTemplateMetadata(prenormData, preparsedTemplate) { return SyncAsync.then(this._loadMissingExternalStylesheets(preparsedTemplate.styleUrls.concat(preparsedTemplate.inlineStyleUrls)), (externalStylesheets) => this._normalizeLoadedTemplateMetadata(prenormData, preparsedTemplate, externalStylesheets)); } /** * @param {?} prenormData * @param {?} preparsedTemplate * @param {?} stylesheets * @return {?} */ _normalizeLoadedTemplateMetadata(prenormData, preparsedTemplate, stylesheets) { // Algorithm: // - produce exactly 1 entry per original styleUrl in // CompileTemplateMetadata.externalStylesheets whith all styles inlined // - inline all styles that are referenced by the template into CompileTemplateMetadata.styles. // Reason: be able to determine how many stylesheets there are even without loading // the template nor the stylesheets, so we can create a stub for TypeScript always synchronously // (as resouce loading may be async) const /** @type {?} */ styles = [...preparsedTemplate.styles]; this._inlineStyles(preparsedTemplate.inlineStyleUrls, stylesheets, styles); const /** @type {?} */ styleUrls = preparsedTemplate.styleUrls; const /** @type {?} */ externalStylesheets = styleUrls.map(styleUrl => { const /** @type {?} */ stylesheet = /** @type {?} */ ((stylesheets.get(styleUrl))); const /** @type {?} */ styles = [...stylesheet.styles]; this._inlineStyles(stylesheet.styleUrls, stylesheets, styles); return new CompileStylesheetMetadata({ moduleUrl: styleUrl, styles: styles }); }); let /** @type {?} */ encapsulation = prenormData.encapsulation; if (encapsulation == null) { encapsulation = this._config.defaultEncapsulation; } if (encapsulation === ViewEncapsulation.Emulated && styles.length === 0 && styleUrls.length === 0) { encapsulation = ViewEncapsulation.None; } return new CompileTemplateMetadata({ encapsulation, template: preparsedTemplate.template, templateUrl: preparsedTemplate.templateUrl, htmlAst: preparsedTemplate.htmlAst, styles, styleUrls, ngContentSelectors: preparsedTemplate.ngContentSelectors, animations: prenormData.animations, interpolation: prenormData.interpolation, isInline: preparsedTemplate.isInline, externalStylesheets, preserveWhitespaces: preserveWhitespacesDefault(prenormData.preserveWhitespaces, this._config.preserveWhitespaces), }); } /** * @param {?} styleUrls * @param {?} stylesheets * @param {?} targetStyles * @return {?} */ _inlineStyles(styleUrls, stylesheets, targetStyles) { styleUrls.forEach(styleUrl => { const /** @type {?} */ stylesheet = /** @type {?} */ ((stylesheets.get(styleUrl))); stylesheet.styles.forEach(style => targetStyles.push(style)); this._inlineStyles(stylesheet.styleUrls, stylesheets, targetStyles); }); } /** * @param {?} styleUrls * @param {?=} loadedStylesheets * @return {?} */ _loadMissingExternalStylesheets(styleUrls, loadedStylesheets = new Map()) { return SyncAsync.then(SyncAsync.all(styleUrls.filter((styleUrl) => !loadedStylesheets.has(styleUrl)) .map(styleUrl => SyncAsync.then(this._fetch(styleUrl), (loadedStyle) => { const /** @type {?} */ stylesheet = this._normalizeStylesheet(new CompileStylesheetMetadata({ styles: [loadedStyle], moduleUrl: styleUrl })); loadedStylesheets.set(styleUrl, stylesheet); return this._loadMissingExternalStylesheets(stylesheet.styleUrls, loadedStylesheets); }))), (_) => loadedStylesheets); } /** * @param {?} stylesheet * @return {?} */ _normalizeStylesheet(stylesheet) { const /** @type {?} */ moduleUrl = /** @type {?} */ ((stylesheet.moduleUrl)); const /** @type {?} */ allStyleUrls = stylesheet.styleUrls.filter(isStyleUrlResolvable) .map(url => this._urlResolver.resolve(moduleUrl, url)); const /** @type {?} */ allStyles = stylesheet.styles.map(style => { const /** @type {?} */ styleWithImports = extractStyleUrls(this._urlResolver, moduleUrl, style); allStyleUrls.push(...styleWithImports.styleUrls); return styleWithImports.style; }); return new CompileStylesheetMetadata({ styles: allStyles, styleUrls: allStyleUrls, moduleUrl: moduleUrl }); } } class TemplatePreparseVisitor { constructor() { this.ngContentSelectors = []; this.styles = []; this.styleUrls = []; this.ngNonBindableStackCount = 0; } /** * @param {?} ast * @param {?} context * @return {?} */ visitElement(ast, context) { const /** @type {?} */ preparsedElement = preparseElement(ast); switch (preparsedElement.type) { case PreparsedElementType.NG_CONTENT: if (this.ngNonBindableStackCount === 0) { this.ngContentSelectors.push(preparsedElement.selectAttr); } break; case PreparsedElementType.STYLE: let /** @type {?} */ textContent = ''; ast.children.forEach(child => { if (child instanceof Text) { textContent += child.value; } }); this.styles.push(textContent); break; case PreparsedElementType.STYLESHEET: this.styleUrls.push(preparsedElement.hrefAttr); break; default: break; } if (preparsedElement.nonBindable) { this.ngNonBindableStackCount++; } visitAll(this, ast.children); if (preparsedElement.nonBindable) { this.ngNonBindableStackCount--; } return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitExpansion(ast, context) { visitAll(this, ast.cases); } /** * @param {?} ast * @param {?} context * @return {?} */ visitExpansionCase(ast, context) { visitAll(this, ast.expression); } /** * @param {?} ast * @param {?} context * @return {?} */ visitComment(ast, context) { return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitAttribute(ast, context) { return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitText(ast, context) { return null; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const QUERY_METADATA_IDENTIFIERS = [ createViewChild, createViewChildren, createContentChild, createContentChildren, ]; class DirectiveResolver { /** * @param {?} _reflector */ constructor(_reflector) { this._reflector = _reflector; } /** * @param {?} type * @return {?} */ isDirective(type) { const /** @type {?} */ typeMetadata = this._reflector.annotations(resolveForwardRef(type)); return typeMetadata && typeMetadata.some(isDirectiveMetadata); } /** * @param {?} type * @param {?=} throwIfNotFound * @return {?} */ resolve(type, throwIfNotFound = true) { const /** @type {?} */ typeMetadata = this._reflector.annotations(resolveForwardRef(type)); if (typeMetadata) { const /** @type {?} */ metadata = findLast(typeMetadata, isDirectiveMetadata); if (metadata) { const /** @type {?} */ propertyMetadata = this._reflector.propMetadata(type); const /** @type {?} */ guards = this._reflector.guards(type); return this._mergeWithPropertyMetadata(metadata, propertyMetadata, guards, type); } } if (throwIfNotFound) { throw new Error(`No Directive annotation found on ${stringify(type)}`); } return null; } /** * @param {?} dm * @param {?} propertyMetadata * @param {?} guards * @param {?} directiveType * @return {?} */ _mergeWithPropertyMetadata(dm, propertyMetadata, guards, directiveType) { const /** @type {?} */ inputs = []; const /** @type {?} */ outputs = []; const /** @type {?} */ host = {}; const /** @type {?} */ queries = {}; Object.keys(propertyMetadata).forEach((propName) => { const /** @type {?} */ input = findLast(propertyMetadata[propName], (a) => createInput.isTypeOf(a)); if (input) { if (input.bindingPropertyName) { inputs.push(`${propName}: ${input.bindingPropertyName}`); } else { inputs.push(propName); } } const /** @type {?} */ output = findLast(propertyMetadata[propName], (a) => createOutput.isTypeOf(a)); if (output) { if (output.bindingPropertyName) { outputs.push(`${propName}: ${output.bindingPropertyName}`); } else { outputs.push(propName); } } const /** @type {?} */ hostBindings = propertyMetadata[propName].filter(a => createHostBinding.isTypeOf(a)); hostBindings.forEach(hostBinding => { if (hostBinding.hostPropertyName) { const /** @type {?} */ startWith = hostBinding.hostPropertyName[0]; if (startWith === '(') { throw new Error(`@HostBinding can not bind to events. Use @HostListener instead.`); } else if (startWith === '[') { throw new Error(`@HostBinding parameter should be a property name, 'class.', or 'attr.'.`); } host[`[${hostBinding.hostPropertyName}]`] = propName; } else { host[`[${propName}]`] = propName; } }); const /** @type {?} */ hostListeners = propertyMetadata[propName].filter(a => createHostListener.isTypeOf(a)); hostListeners.forEach(hostListener => { const /** @type {?} */ args = hostListener.args || []; host[`(${hostListener.eventName})`] = `${propName}(${args.join(',')})`; }); const /** @type {?} */ query = findLast(propertyMetadata[propName], (a) => QUERY_METADATA_IDENTIFIERS.some(i => i.isTypeOf(a))); if (query) { queries[propName] = query; } }); return this._merge(dm, inputs, outputs, host, queries, guards, directiveType); } /** * @param {?} def * @return {?} */ _extractPublicName(def) { return splitAtColon(def, [/** @type {?} */ ((null)), def])[1].trim(); } /** * @param {?} bindings * @return {?} */ _dedupeBindings(bindings) { const /** @type {?} */ names = new Set(); const /** @type {?} */ publicNames = new Set(); const /** @type {?} */ reversedResult = []; // go last to first to allow later entries to overwrite previous entries for (let /** @type {?} */ i = bindings.length - 1; i >= 0; i--) { const /** @type {?} */ binding = bindings[i]; const /** @type {?} */ name = this._extractPublicName(binding); publicNames.add(name); if (!names.has(name)) { names.add(name); reversedResult.push(binding); } } return reversedResult.reverse(); } /** * @param {?} directive * @param {?} inputs * @param {?} outputs * @param {?} host * @param {?} queries * @param {?} guards * @param {?} directiveType * @return {?} */ _merge(directive, inputs, outputs, host, queries, guards, directiveType) { const /** @type {?} */ mergedInputs = this._dedupeBindings(directive.inputs ? directive.inputs.concat(inputs) : inputs); const /** @type {?} */ mergedOutputs = this._dedupeBindings(directive.outputs ? directive.outputs.concat(outputs) : outputs); const /** @type {?} */ mergedHost = directive.host ? Object.assign({}, directive.host, host) : host; const /** @type {?} */ mergedQueries = directive.queries ? Object.assign({}, directive.queries, queries) : queries; if (createComponent.isTypeOf(directive)) { const /** @type {?} */ comp = /** @type {?} */ (directive); return createComponent({ selector: comp.selector, inputs: mergedInputs, outputs: mergedOutputs, host: mergedHost, exportAs: comp.exportAs, moduleId: comp.moduleId, queries: mergedQueries, changeDetection: comp.changeDetection, providers: comp.providers, viewProviders: comp.viewProviders, entryComponents: comp.entryComponents, template: comp.template, templateUrl: comp.templateUrl, styles: comp.styles, styleUrls: comp.styleUrls, encapsulation: comp.encapsulation, animations: comp.animations, interpolation: comp.interpolation, preserveWhitespaces: directive.preserveWhitespaces, }); } else { return createDirective({ selector: directive.selector, inputs: mergedInputs, outputs: mergedOutputs, host: mergedHost, exportAs: directive.exportAs, queries: mergedQueries, providers: directive.providers, guards }); } } } /** * @param {?} type * @return {?} */ function isDirectiveMetadata(type) { return createDirective.isTypeOf(type) || createComponent.isTypeOf(type); } /** * @template T * @param {?} arr * @param {?} condition * @return {?} */ function findLast(arr, condition) { for (let /** @type {?} */ i = arr.length - 1; i >= 0; i--) { if (condition(arr[i])) { return arr[i]; } } return null; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const $EOF = 0; const $TAB = 9; const $LF = 10; const $VTAB = 11; const $FF = 12; const $CR = 13; const $SPACE = 32; const $BANG = 33; const $DQ = 34; const $HASH = 35; const $$ = 36; const $PERCENT = 37; const $AMPERSAND = 38; const $SQ = 39; const $LPAREN = 40; const $RPAREN = 41; const $STAR = 42; const $PLUS = 43; const $COMMA = 44; const $MINUS = 45; const $PERIOD = 46; const $SLASH = 47; const $COLON = 58; const $SEMICOLON = 59; const $LT = 60; const $EQ = 61; const $GT = 62; const $QUESTION = 63; const $0 = 48; const $9 = 57; const $A = 65; const $E = 69; const $F = 70; const $X = 88; const $Z = 90; const $LBRACKET = 91; const $BACKSLASH = 92; const $RBRACKET = 93; const $CARET = 94; const $_ = 95; const $a = 97; const $e = 101; const $f = 102; const $n = 110; const $r = 114; const $t = 116; const $u = 117; const $v = 118; const $x = 120; const $z = 122; const $LBRACE = 123; const $BAR = 124; const $RBRACE = 125; const $NBSP = 160; const $BT = 96; /** * @param {?} code * @return {?} */ function isWhitespace(code) { return (code >= $TAB && code <= $SPACE) || (code == $NBSP); } /** * @param {?} code * @return {?} */ function isDigit(code) { return $0 <= code && code <= $9; } /** * @param {?} code * @return {?} */ function isAsciiLetter(code) { return code >= $a && code <= $z || code >= $A && code <= $Z; } /** * @param {?} code * @return {?} */ function isAsciiHexDigit(code) { return code >= $a && code <= $f || code >= $A && code <= $F || isDigit(code); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** @enum {number} */ const TokenType = { Character: 0, Identifier: 1, Keyword: 2, String: 3, Operator: 4, Number: 5, Error: 6, }; TokenType[TokenType.Character] = "Character"; TokenType[TokenType.Identifier] = "Identifier"; TokenType[TokenType.Keyword] = "Keyword"; TokenType[TokenType.String] = "String"; TokenType[TokenType.Operator] = "Operator"; TokenType[TokenType.Number] = "Number"; TokenType[TokenType.Error] = "Error"; const KEYWORDS = ['var', 'let', 'as', 'null', 'undefined', 'true', 'false', 'if', 'else', 'this']; class Lexer { /** * @param {?} text * @return {?} */ tokenize(text) { const /** @type {?} */ scanner = new _Scanner(text); const /** @type {?} */ tokens = []; let /** @type {?} */ token = scanner.scanToken(); while (token != null) { tokens.push(token); token = scanner.scanToken(); } return tokens; } } class Token { /** * @param {?} index * @param {?} type * @param {?} numValue * @param {?} strValue */ constructor(index, type, numValue, strValue) { this.index = index; this.type = type; this.numValue = numValue; this.strValue = strValue; } /** * @param {?} code * @return {?} */ isCharacter(code) { return this.type == TokenType.Character && this.numValue == code; } /** * @return {?} */ isNumber() { return this.type == TokenType.Number; } /** * @return {?} */ isString() { return this.type == TokenType.String; } /** * @param {?} operater * @return {?} */ isOperator(operater) { return this.type == TokenType.Operator && this.strValue == operater; } /** * @return {?} */ isIdentifier() { return this.type == TokenType.Identifier; } /** * @return {?} */ isKeyword() { return this.type == TokenType.Keyword; } /** * @return {?} */ isKeywordLet() { return this.type == TokenType.Keyword && this.strValue == 'let'; } /** * @return {?} */ isKeywordAs() { return this.type == TokenType.Keyword && this.strValue == 'as'; } /** * @return {?} */ isKeywordNull() { return this.type == TokenType.Keyword && this.strValue == 'null'; } /** * @return {?} */ isKeywordUndefined() { return this.type == TokenType.Keyword && this.strValue == 'undefined'; } /** * @return {?} */ isKeywordTrue() { return this.type == TokenType.Keyword && this.strValue == 'true'; } /** * @return {?} */ isKeywordFalse() { return this.type == TokenType.Keyword && this.strValue == 'false'; } /** * @return {?} */ isKeywordThis() { return this.type == TokenType.Keyword && this.strValue == 'this'; } /** * @return {?} */ isError() { return this.type == TokenType.Error; } /** * @return {?} */ toNumber() { return this.type == TokenType.Number ? this.numValue : -1; } /** * @return {?} */ toString() { switch (this.type) { case TokenType.Character: case TokenType.Identifier: case TokenType.Keyword: case TokenType.Operator: case TokenType.String: case TokenType.Error: return this.strValue; case TokenType.Number: return this.numValue.toString(); default: return null; } } } /** * @param {?} index * @param {?} code * @return {?} */ function newCharacterToken(index, code) { return new Token(index, TokenType.Character, code, String.fromCharCode(code)); } /** * @param {?} index * @param {?} text * @return {?} */ function newIdentifierToken(index, text) { return new Token(index, TokenType.Identifier, 0, text); } /** * @param {?} index * @param {?} text * @return {?} */ function newKeywordToken(index, text) { return new Token(index, TokenType.Keyword, 0, text); } /** * @param {?} index * @param {?} text * @return {?} */ function newOperatorToken(index, text) { return new Token(index, TokenType.Operator, 0, text); } /** * @param {?} index * @param {?} text * @return {?} */ function newStringToken(index, text) { return new Token(index, TokenType.String, 0, text); } /** * @param {?} index * @param {?} n * @return {?} */ function newNumberToken(index, n) { return new Token(index, TokenType.Number, n, ''); } /** * @param {?} index * @param {?} message * @return {?} */ function newErrorToken(index, message) { return new Token(index, TokenType.Error, 0, message); } const EOF = new Token(-1, TokenType.Character, 0, ''); class _Scanner { /** * @param {?} input */ constructor(input) { this.input = input; this.peek = 0; this.index = -1; this.length = input.length; this.advance(); } /** * @return {?} */ advance() { this.peek = ++this.index >= this.length ? $EOF : this.input.charCodeAt(this.index); } /** * @return {?} */ scanToken() { const /** @type {?} */ input = this.input, /** @type {?} */ length = this.length; let /** @type {?} */ peek = this.peek, /** @type {?} */ index = this.index; // Skip whitespace. while (peek <= $SPACE) { if (++index >= length) { peek = $EOF; break; } else { peek = input.charCodeAt(index); } } this.peek = peek; this.index = index; if (index >= length) { return null; } // Handle identifiers and numbers. if (isIdentifierStart(peek)) return this.scanIdentifier(); if (isDigit(peek)) return this.scanNumber(index); const /** @type {?} */ start = index; switch (peek) { case $PERIOD: this.advance(); return isDigit(this.peek) ? this.scanNumber(start) : newCharacterToken(start, $PERIOD); case $LPAREN: case $RPAREN: case $LBRACE: case $RBRACE: case $LBRACKET: case $RBRACKET: case $COMMA: case $COLON: case $SEMICOLON: return this.scanCharacter(start, peek); case $SQ: case $DQ: return this.scanString(); case $HASH: case $PLUS: case $MINUS: case $STAR: case $SLASH: case $PERCENT: case $CARET: return this.scanOperator(start, String.fromCharCode(peek)); case $QUESTION: return this.scanComplexOperator(start, '?', $PERIOD, '.'); case $LT: case $GT: return this.scanComplexOperator(start, String.fromCharCode(peek), $EQ, '='); case $BANG: case $EQ: return this.scanComplexOperator(start, String.fromCharCode(peek), $EQ, '=', $EQ, '='); case $AMPERSAND: return this.scanComplexOperator(start, '&', $AMPERSAND, '&'); case $BAR: return this.scanComplexOperator(start, '|', $BAR, '|'); case $NBSP: while (isWhitespace(this.peek)) this.advance(); return this.scanToken(); } this.advance(); return this.error(`Unexpected character [${String.fromCharCode(peek)}]`, 0); } /** * @param {?} start * @param {?} code * @return {?} */ scanCharacter(start, code) { this.advance(); return newCharacterToken(start, code); } /** * @param {?} start * @param {?} str * @return {?} */ scanOperator(start, str) { this.advance(); return newOperatorToken(start, str); } /** * Tokenize a 2/3 char long operator * * @param {?} start start index in the expression * @param {?} one first symbol (always part of the operator) * @param {?} twoCode code point for the second symbol * @param {?} two second symbol (part of the operator when the second code point matches) * @param {?=} threeCode code point for the third symbol * @param {?=} three third symbol (part of the operator when provided and matches source expression) * @return {?} */ scanComplexOperator(start, one, twoCode, two, threeCode, three) { this.advance(); let /** @type {?} */ str = one; if (this.peek == twoCode) { this.advance(); str += two; } if (threeCode != null && this.peek == threeCode) { this.advance(); str += three; } return newOperatorToken(start, str); } /** * @return {?} */ scanIdentifier() { const /** @type {?} */ start = this.index; this.advance(); while (isIdentifierPart(this.peek)) this.advance(); const /** @type {?} */ str = this.input.substring(start, this.index); return KEYWORDS.indexOf(str) > -1 ? newKeywordToken(start, str) : newIdentifierToken(start, str); } /** * @param {?} start * @return {?} */ scanNumber(start) { let /** @type {?} */ simple = (this.index === start); this.advance(); // Skip initial digit. while (true) { if (isDigit(this.peek)) { // Do nothing. } else if (this.peek == $PERIOD) { simple = false; } else if (isExponentStart(this.peek)) { this.advance(); if (isExponentSign(this.peek)) this.advance(); if (!isDigit(this.peek)) return this.error('Invalid exponent', -1); simple = false; } else { break; } this.advance(); } const /** @type {?} */ str = this.input.substring(start, this.index); const /** @type {?} */ value = simple ? parseIntAutoRadix(str) : parseFloat(str); return newNumberToken(start, value); } /** * @return {?} */ scanString() { const /** @type {?} */ start = this.index; const /** @type {?} */ quote = this.peek; this.advance(); // Skip initial quote. let /** @type {?} */ buffer = ''; let /** @type {?} */ marker = this.index; const /** @type {?} */ input = this.input; while (this.peek != quote) { if (this.peek == $BACKSLASH) { buffer += input.substring(marker, this.index); this.advance(); let /** @type {?} */ unescapedCode; // Workaround for TS2.1-introduced type strictness this.peek = this.peek; if (this.peek == $u) { // 4 character hex code for unicode character. const /** @type {?} */ hex = input.substring(this.index + 1, this.index + 5); if (/^[0-9a-f]+$/i.test(hex)) { unescapedCode = parseInt(hex, 16); } else { return this.error(`Invalid unicode escape [\\u${hex}]`, 0); } for (let /** @type {?} */ i = 0; i < 5; i++) { this.advance(); } } else { unescapedCode = unescape(this.peek); this.advance(); } buffer += String.fromCharCode(unescapedCode); marker = this.index; } else if (this.peek == $EOF) { return this.error('Unterminated quote', 0); } else { this.advance(); } } const /** @type {?} */ last = input.substring(marker, this.index); this.advance(); // Skip terminating quote. return newStringToken(start, buffer + last); } /** * @param {?} message * @param {?} offset * @return {?} */ error(message, offset) { const /** @type {?} */ position = this.index + offset; return newErrorToken(position, `Lexer Error: ${message} at column ${position} in expression [${this.input}]`); } } /** * @param {?} code * @return {?} */ function isIdentifierStart(code) { return ($a <= code && code <= $z) || ($A <= code && code <= $Z) || (code == $_) || (code == $$); } /** * @param {?} input * @return {?} */ function isIdentifier(input) { if (input.length == 0) return false; const /** @type {?} */ scanner = new _Scanner(input); if (!isIdentifierStart(scanner.peek)) return false; scanner.advance(); while (scanner.peek !== $EOF) { if (!isIdentifierPart(scanner.peek)) return false; scanner.advance(); } return true; } /** * @param {?} code * @return {?} */ function isIdentifierPart(code) { return isAsciiLetter(code) || isDigit(code) || (code == $_) || (code == $$); } /** * @param {?} code * @return {?} */ function isExponentStart(code) { return code == $e || code == $E; } /** * @param {?} code * @return {?} */ function isExponentSign(code) { return code == $MINUS || code == $PLUS; } /** * @param {?} code * @return {?} */ function isQuote(code) { return code === $SQ || code === $DQ || code === $BT; } /** * @param {?} code * @return {?} */ function unescape(code) { switch (code) { case $n: return $LF; case $f: return $FF; case $r: return $CR; case $t: return $TAB; case $v: return $VTAB; default: return code; } } /** * @param {?} text * @return {?} */ function parseIntAutoRadix(text) { const /** @type {?} */ result = parseInt(text); if (isNaN(result)) { throw new Error('Invalid integer literal when parsing ' + text); } return result; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class ParserError { /** * @param {?} message * @param {?} input * @param {?} errLocation * @param {?=} ctxLocation */ constructor(message, input, errLocation, ctxLocation) { this.input = input; this.errLocation = errLocation; this.ctxLocation = ctxLocation; this.message = `Parser Error: ${message} ${errLocation} [${input}] in ${ctxLocation}`; } } class ParseSpan { /** * @param {?} start * @param {?} end */ constructor(start, end) { this.start = start; this.end = end; } } class AST { /** * @param {?} span */ constructor(span) { this.span = span; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return null; } /** * @return {?} */ toString() { return 'AST'; } } /** * Represents a quoted expression of the form: * * quote = prefix `:` uninterpretedExpression * prefix = identifier * uninterpretedExpression = arbitrary string * * A quoted expression is meant to be pre-processed by an AST transformer that * converts it into another AST that no longer contains quoted expressions. * It is meant to allow third-party developers to extend Angular template * expression language. The `uninterpretedExpression` part of the quote is * therefore not interpreted by the Angular's own expression parser. */ class Quote extends AST { /** * @param {?} span * @param {?} prefix * @param {?} uninterpretedExpression * @param {?} location */ constructor(span, prefix, uninterpretedExpression, location) { super(span); this.prefix = prefix; this.uninterpretedExpression = uninterpretedExpression; this.location = location; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitQuote(this, context); } /** * @return {?} */ toString() { return 'Quote'; } } class EmptyExpr extends AST { /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { // do nothing } } class ImplicitReceiver extends AST { /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitImplicitReceiver(this, context); } } /** * Multiple expressions separated by a semicolon. */ class Chain extends AST { /** * @param {?} span * @param {?} expressions */ constructor(span, expressions) { super(span); this.expressions = expressions; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitChain(this, context); } } class Conditional extends AST { /** * @param {?} span * @param {?} condition * @param {?} trueExp * @param {?} falseExp */ constructor(span, condition, trueExp, falseExp) { super(span); this.condition = condition; this.trueExp = trueExp; this.falseExp = falseExp; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitConditional(this, context); } } class PropertyRead extends AST { /** * @param {?} span * @param {?} receiver * @param {?} name */ constructor(span, receiver, name) { super(span); this.receiver = receiver; this.name = name; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitPropertyRead(this, context); } } class PropertyWrite extends AST { /** * @param {?} span * @param {?} receiver * @param {?} name * @param {?} value */ constructor(span, receiver, name, value) { super(span); this.receiver = receiver; this.name = name; this.value = value; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitPropertyWrite(this, context); } } class SafePropertyRead extends AST { /** * @param {?} span * @param {?} receiver * @param {?} name */ constructor(span, receiver, name) { super(span); this.receiver = receiver; this.name = name; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitSafePropertyRead(this, context); } } class KeyedRead extends AST { /** * @param {?} span * @param {?} obj * @param {?} key */ constructor(span, obj, key) { super(span); this.obj = obj; this.key = key; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitKeyedRead(this, context); } } class KeyedWrite extends AST { /** * @param {?} span * @param {?} obj * @param {?} key * @param {?} value */ constructor(span, obj, key, value) { super(span); this.obj = obj; this.key = key; this.value = value; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitKeyedWrite(this, context); } } class BindingPipe extends AST { /** * @param {?} span * @param {?} exp * @param {?} name * @param {?} args */ constructor(span, exp, name, args) { super(span); this.exp = exp; this.name = name; this.args = args; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitPipe(this, context); } } class LiteralPrimitive extends AST { /** * @param {?} span * @param {?} value */ constructor(span, value) { super(span); this.value = value; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitLiteralPrimitive(this, context); } } class LiteralArray extends AST { /** * @param {?} span * @param {?} expressions */ constructor(span, expressions) { super(span); this.expressions = expressions; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitLiteralArray(this, context); } } class LiteralMap extends AST { /** * @param {?} span * @param {?} keys * @param {?} values */ constructor(span, keys, values) { super(span); this.keys = keys; this.values = values; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitLiteralMap(this, context); } } class Interpolation extends AST { /** * @param {?} span * @param {?} strings * @param {?} expressions */ constructor(span, strings, expressions) { super(span); this.strings = strings; this.expressions = expressions; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitInterpolation(this, context); } } class Binary extends AST { /** * @param {?} span * @param {?} operation * @param {?} left * @param {?} right */ constructor(span, operation, left, right) { super(span); this.operation = operation; this.left = left; this.right = right; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitBinary(this, context); } } class PrefixNot extends AST { /** * @param {?} span * @param {?} expression */ constructor(span, expression) { super(span); this.expression = expression; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitPrefixNot(this, context); } } class NonNullAssert extends AST { /** * @param {?} span * @param {?} expression */ constructor(span, expression) { super(span); this.expression = expression; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitNonNullAssert(this, context); } } class MethodCall extends AST { /** * @param {?} span * @param {?} receiver * @param {?} name * @param {?} args */ constructor(span, receiver, name, args) { super(span); this.receiver = receiver; this.name = name; this.args = args; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitMethodCall(this, context); } } class SafeMethodCall extends AST { /** * @param {?} span * @param {?} receiver * @param {?} name * @param {?} args */ constructor(span, receiver, name, args) { super(span); this.receiver = receiver; this.name = name; this.args = args; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitSafeMethodCall(this, context); } } class FunctionCall extends AST { /** * @param {?} span * @param {?} target * @param {?} args */ constructor(span, target, args) { super(span); this.target = target; this.args = args; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return visitor.visitFunctionCall(this, context); } } class ASTWithSource extends AST { /** * @param {?} ast * @param {?} source * @param {?} location * @param {?} errors */ constructor(ast, source, location, errors) { super(new ParseSpan(0, source == null ? 0 : source.length)); this.ast = ast; this.source = source; this.location = location; this.errors = errors; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context = null) { return this.ast.visit(visitor, context); } /** * @return {?} */ toString() { return `${this.source} in ${this.location}`; } } class TemplateBinding { /** * @param {?} span * @param {?} key * @param {?} keyIsVar * @param {?} name * @param {?} expression */ constructor(span, key, keyIsVar, name, expression) { this.span = span; this.key = key; this.keyIsVar = keyIsVar; this.name = name; this.expression = expression; } } /** * @record */ class NullAstVisitor { /** * @param {?} ast * @param {?} context * @return {?} */ visitBinary(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitChain(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitConditional(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitFunctionCall(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitImplicitReceiver(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitInterpolation(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedRead(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedWrite(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralArray(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralMap(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralPrimitive(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitMethodCall(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPipe(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPrefixNot(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitNonNullAssert(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyRead(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyWrite(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitQuote(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafeMethodCall(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafePropertyRead(ast, context) { } } class RecursiveAstVisitor { /** * @param {?} ast * @param {?} context * @return {?} */ visitBinary(ast, context) { ast.left.visit(this); ast.right.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitChain(ast, context) { return this.visitAll(ast.expressions, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitConditional(ast, context) { ast.condition.visit(this); ast.trueExp.visit(this); ast.falseExp.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitPipe(ast, context) { ast.exp.visit(this); this.visitAll(ast.args, context); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitFunctionCall(ast, context) { /** @type {?} */ ((ast.target)).visit(this); this.visitAll(ast.args, context); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitImplicitReceiver(ast, context) { return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitInterpolation(ast, context) { return this.visitAll(ast.expressions, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedRead(ast, context) { ast.obj.visit(this); ast.key.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedWrite(ast, context) { ast.obj.visit(this); ast.key.visit(this); ast.value.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralArray(ast, context) { return this.visitAll(ast.expressions, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralMap(ast, context) { return this.visitAll(ast.values, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralPrimitive(ast, context) { return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitMethodCall(ast, context) { ast.receiver.visit(this); return this.visitAll(ast.args, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitPrefixNot(ast, context) { ast.expression.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitNonNullAssert(ast, context) { ast.expression.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyRead(ast, context) { ast.receiver.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyWrite(ast, context) { ast.receiver.visit(this); ast.value.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafePropertyRead(ast, context) { ast.receiver.visit(this); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafeMethodCall(ast, context) { ast.receiver.visit(this); return this.visitAll(ast.args, context); } /** * @param {?} asts * @param {?} context * @return {?} */ visitAll(asts, context) { asts.forEach(ast => ast.visit(this, context)); return null; } /** * @param {?} ast * @param {?} context * @return {?} */ visitQuote(ast, context) { return null; } } class AstTransformer { /** * @param {?} ast * @param {?} context * @return {?} */ visitImplicitReceiver(ast, context) { return ast; } /** * @param {?} ast * @param {?} context * @return {?} */ visitInterpolation(ast, context) { return new Interpolation(ast.span, ast.strings, this.visitAll(ast.expressions)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralPrimitive(ast, context) { return new LiteralPrimitive(ast.span, ast.value); } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyRead(ast, context) { return new PropertyRead(ast.span, ast.receiver.visit(this), ast.name); } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyWrite(ast, context) { return new PropertyWrite(ast.span, ast.receiver.visit(this), ast.name, ast.value.visit(this)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafePropertyRead(ast, context) { return new SafePropertyRead(ast.span, ast.receiver.visit(this), ast.name); } /** * @param {?} ast * @param {?} context * @return {?} */ visitMethodCall(ast, context) { return new MethodCall(ast.span, ast.receiver.visit(this), ast.name, this.visitAll(ast.args)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafeMethodCall(ast, context) { return new SafeMethodCall(ast.span, ast.receiver.visit(this), ast.name, this.visitAll(ast.args)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitFunctionCall(ast, context) { return new FunctionCall(ast.span, /** @type {?} */ ((ast.target)).visit(this), this.visitAll(ast.args)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralArray(ast, context) { return new LiteralArray(ast.span, this.visitAll(ast.expressions)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralMap(ast, context) { return new LiteralMap(ast.span, ast.keys, this.visitAll(ast.values)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitBinary(ast, context) { return new Binary(ast.span, ast.operation, ast.left.visit(this), ast.right.visit(this)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitPrefixNot(ast, context) { return new PrefixNot(ast.span, ast.expression.visit(this)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitNonNullAssert(ast, context) { return new NonNullAssert(ast.span, ast.expression.visit(this)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitConditional(ast, context) { return new Conditional(ast.span, ast.condition.visit(this), ast.trueExp.visit(this), ast.falseExp.visit(this)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitPipe(ast, context) { return new BindingPipe(ast.span, ast.exp.visit(this), ast.name, this.visitAll(ast.args)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedRead(ast, context) { return new KeyedRead(ast.span, ast.obj.visit(this), ast.key.visit(this)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedWrite(ast, context) { return new KeyedWrite(ast.span, ast.obj.visit(this), ast.key.visit(this), ast.value.visit(this)); } /** * @param {?} asts * @return {?} */ visitAll(asts) { const /** @type {?} */ res = new Array(asts.length); for (let /** @type {?} */ i = 0; i < asts.length; ++i) { res[i] = asts[i].visit(this); } return res; } /** * @param {?} ast * @param {?} context * @return {?} */ visitChain(ast, context) { return new Chain(ast.span, this.visitAll(ast.expressions)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitQuote(ast, context) { return new Quote(ast.span, ast.prefix, ast.uninterpretedExpression, ast.location); } } /** * @param {?} ast * @param {?} visitor * @param {?=} context * @return {?} */ function visitAstChildren(ast, visitor, context) { /** * @param {?} ast * @return {?} */ function visit(ast) { visitor.visit && visitor.visit(ast, context) || ast.visit(visitor, context); } /** * @template T * @param {?} asts * @return {?} */ function visitAll(asts) { asts.forEach(visit); } ast.visit({ /** * @param {?} ast * @return {?} */ visitBinary(ast) { visit(ast.left); visit(ast.right); }, /** * @param {?} ast * @return {?} */ visitChain(ast) { visitAll(ast.expressions); }, /** * @param {?} ast * @return {?} */ visitConditional(ast) { visit(ast.condition); visit(ast.trueExp); visit(ast.falseExp); }, /** * @param {?} ast * @return {?} */ visitFunctionCall(ast) { if (ast.target) { visit(ast.target); } visitAll(ast.args); }, /** * @param {?} ast * @return {?} */ visitImplicitReceiver(ast) { }, /** * @param {?} ast * @return {?} */ visitInterpolation(ast) { visitAll(ast.expressions); }, /** * @param {?} ast * @return {?} */ visitKeyedRead(ast) { visit(ast.obj); visit(ast.key); }, /** * @param {?} ast * @return {?} */ visitKeyedWrite(ast) { visit(ast.obj); visit(ast.key); visit(ast.obj); }, /** * @param {?} ast * @return {?} */ visitLiteralArray(ast) { visitAll(ast.expressions); }, /** * @param {?} ast * @return {?} */ visitLiteralMap(ast) { }, /** * @param {?} ast * @return {?} */ visitLiteralPrimitive(ast) { }, /** * @param {?} ast * @return {?} */ visitMethodCall(ast) { visit(ast.receiver); visitAll(ast.args); }, /** * @param {?} ast * @return {?} */ visitPipe(ast) { visit(ast.exp); visitAll(ast.args); }, /** * @param {?} ast * @return {?} */ visitPrefixNot(ast) { visit(ast.expression); }, /** * @param {?} ast * @return {?} */ visitNonNullAssert(ast) { visit(ast.expression); }, /** * @param {?} ast * @return {?} */ visitPropertyRead(ast) { visit(ast.receiver); }, /** * @param {?} ast * @return {?} */ visitPropertyWrite(ast) { visit(ast.receiver); visit(ast.value); }, /** * @param {?} ast * @return {?} */ visitQuote(ast) { }, /** * @param {?} ast * @return {?} */ visitSafeMethodCall(ast) { visit(ast.receiver); visitAll(ast.args); }, /** * @param {?} ast * @return {?} */ visitSafePropertyRead(ast) { visit(ast.receiver); }, }); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class SplitInterpolation { /** * @param {?} strings * @param {?} expressions * @param {?} offsets */ constructor(strings, expressions, offsets) { this.strings = strings; this.expressions = expressions; this.offsets = offsets; } } class TemplateBindingParseResult { /** * @param {?} templateBindings * @param {?} warnings * @param {?} errors */ constructor(templateBindings, warnings, errors) { this.templateBindings = templateBindings; this.warnings = warnings; this.errors = errors; } } /** * @param {?} config * @return {?} */ function _createInterpolateRegExp(config) { const /** @type {?} */ pattern = escapeRegExp(config.start) + '([\\s\\S]*?)' + escapeRegExp(config.end); return new RegExp(pattern, 'g'); } class Parser { /** * @param {?} _lexer */ constructor(_lexer) { this._lexer = _lexer; this.errors = []; } /** * @param {?} input * @param {?} location * @param {?=} interpolationConfig * @return {?} */ parseAction(input, location, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { this._checkNoInterpolation(input, location, interpolationConfig); const /** @type {?} */ sourceToLex = this._stripComments(input); const /** @type {?} */ tokens = this._lexer.tokenize(this._stripComments(input)); const /** @type {?} */ ast = new _ParseAST(input, location, tokens, sourceToLex.length, true, this.errors, input.length - sourceToLex.length) .parseChain(); return new ASTWithSource(ast, input, location, this.errors); } /** * @param {?} input * @param {?} location * @param {?=} interpolationConfig * @return {?} */ parseBinding(input, location, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { const /** @type {?} */ ast = this._parseBindingAst(input, location, interpolationConfig); return new ASTWithSource(ast, input, location, this.errors); } /** * @param {?} input * @param {?} location * @param {?=} interpolationConfig * @return {?} */ parseSimpleBinding(input, location, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { const /** @type {?} */ ast = this._parseBindingAst(input, location, interpolationConfig); const /** @type {?} */ errors = SimpleExpressionChecker.check(ast); if (errors.length > 0) { this._reportError(`Host binding expression cannot contain ${errors.join(' ')}`, input, location); } return new ASTWithSource(ast, input, location, this.errors); } /** * @param {?} message * @param {?} input * @param {?} errLocation * @param {?=} ctxLocation * @return {?} */ _reportError(message, input, errLocation, ctxLocation) { this.errors.push(new ParserError(message, input, errLocation, ctxLocation)); } /** * @param {?} input * @param {?} location * @param {?} interpolationConfig * @return {?} */ _parseBindingAst(input, location, interpolationConfig) { // Quotes expressions use 3rd-party expression language. We don't want to use // our lexer or parser for that, so we check for that ahead of time. const /** @type {?} */ quote = this._parseQuote(input, location); if (quote != null) { return quote; } this._checkNoInterpolation(input, location, interpolationConfig); const /** @type {?} */ sourceToLex = this._stripComments(input); const /** @type {?} */ tokens = this._lexer.tokenize(sourceToLex); return new _ParseAST(input, location, tokens, sourceToLex.length, false, this.errors, input.length - sourceToLex.length) .parseChain(); } /** * @param {?} input * @param {?} location * @return {?} */ _parseQuote(input, location) { if (input == null) return null; const /** @type {?} */ prefixSeparatorIndex = input.indexOf(':'); if (prefixSeparatorIndex == -1) return null; const /** @type {?} */ prefix = input.substring(0, prefixSeparatorIndex).trim(); if (!isIdentifier(prefix)) return null; const /** @type {?} */ uninterpretedExpression = input.substring(prefixSeparatorIndex + 1); return new Quote(new ParseSpan(0, input.length), prefix, uninterpretedExpression, location); } /** * @param {?} prefixToken * @param {?} input * @param {?} location * @return {?} */ parseTemplateBindings(prefixToken, input, location) { const /** @type {?} */ tokens = this._lexer.tokenize(input); if (prefixToken) { // Prefix the tokens with the tokens from prefixToken but have them take no space (0 index). const /** @type {?} */ prefixTokens = this._lexer.tokenize(prefixToken).map(t => { t.index = 0; return t; }); tokens.unshift(...prefixTokens); } return new _ParseAST(input, location, tokens, input.length, false, this.errors, 0) .parseTemplateBindings(); } /** * @param {?} input * @param {?} location * @param {?=} interpolationConfig * @return {?} */ parseInterpolation(input, location, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { const /** @type {?} */ split = this.splitInterpolation(input, location, interpolationConfig); if (split == null) return null; const /** @type {?} */ expressions = []; for (let /** @type {?} */ i = 0; i < split.expressions.length; ++i) { const /** @type {?} */ expressionText = split.expressions[i]; const /** @type {?} */ sourceToLex = this._stripComments(expressionText); const /** @type {?} */ tokens = this._lexer.tokenize(sourceToLex); const /** @type {?} */ ast = new _ParseAST(input, location, tokens, sourceToLex.length, false, this.errors, split.offsets[i] + (expressionText.length - sourceToLex.length)) .parseChain(); expressions.push(ast); } return new ASTWithSource(new Interpolation(new ParseSpan(0, input == null ? 0 : input.length), split.strings, expressions), input, location, this.errors); } /** * @param {?} input * @param {?} location * @param {?=} interpolationConfig * @return {?} */ splitInterpolation(input, location, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { const /** @type {?} */ regexp = _createInterpolateRegExp(interpolationConfig); const /** @type {?} */ parts = input.split(regexp); if (parts.length <= 1) { return null; } const /** @type {?} */ strings = []; const /** @type {?} */ expressions = []; const /** @type {?} */ offsets = []; let /** @type {?} */ offset = 0; for (let /** @type {?} */ i = 0; i < parts.length; i++) { const /** @type {?} */ part = parts[i]; if (i % 2 === 0) { // fixed string strings.push(part); offset += part.length; } else if (part.trim().length > 0) { offset += interpolationConfig.start.length; expressions.push(part); offsets.push(offset); offset += part.length + interpolationConfig.end.length; } else { this._reportError('Blank expressions are not allowed in interpolated strings', input, `at column ${this._findInterpolationErrorColumn(parts, i, interpolationConfig)} in`, location); expressions.push('$implict'); offsets.push(offset); } } return new SplitInterpolation(strings, expressions, offsets); } /** * @param {?} input * @param {?} location * @return {?} */ wrapLiteralPrimitive(input, location) { return new ASTWithSource(new LiteralPrimitive(new ParseSpan(0, input == null ? 0 : input.length), input), input, location, this.errors); } /** * @param {?} input * @return {?} */ _stripComments(input) { const /** @type {?} */ i = this._commentStart(input); return i != null ? input.substring(0, i).trim() : input; } /** * @param {?} input * @return {?} */ _commentStart(input) { let /** @type {?} */ outerQuote = null; for (let /** @type {?} */ i = 0; i < input.length - 1; i++) { const /** @type {?} */ char = input.charCodeAt(i); const /** @type {?} */ nextChar = input.charCodeAt(i + 1); if (char === $SLASH && nextChar == $SLASH && outerQuote == null) return i; if (outerQuote === char) { outerQuote = null; } else if (outerQuote == null && isQuote(char)) { outerQuote = char; } } return null; } /** * @param {?} input * @param {?} location * @param {?} interpolationConfig * @return {?} */ _checkNoInterpolation(input, location, interpolationConfig) { const /** @type {?} */ regexp = _createInterpolateRegExp(interpolationConfig); const /** @type {?} */ parts = input.split(regexp); if (parts.length > 1) { this._reportError(`Got interpolation (${interpolationConfig.start}${interpolationConfig.end}) where expression was expected`, input, `at column ${this._findInterpolationErrorColumn(parts, 1, interpolationConfig)} in`, location); } } /** * @param {?} parts * @param {?} partInErrIdx * @param {?} interpolationConfig * @return {?} */ _findInterpolationErrorColumn(parts, partInErrIdx, interpolationConfig) { let /** @type {?} */ errLocation = ''; for (let /** @type {?} */ j = 0; j < partInErrIdx; j++) { errLocation += j % 2 === 0 ? parts[j] : `${interpolationConfig.start}${parts[j]}${interpolationConfig.end}`; } return errLocation.length; } } class _ParseAST { /** * @param {?} input * @param {?} location * @param {?} tokens * @param {?} inputLength * @param {?} parseAction * @param {?} errors * @param {?} offset */ constructor(input, location, tokens, inputLength, parseAction, errors, offset) { this.input = input; this.location = location; this.tokens = tokens; this.inputLength = inputLength; this.parseAction = parseAction; this.errors = errors; this.offset = offset; this.rparensExpected = 0; this.rbracketsExpected = 0; this.rbracesExpected = 0; this.index = 0; } /** * @param {?} offset * @return {?} */ peek(offset) { const /** @type {?} */ i = this.index + offset; return i < this.tokens.length ? this.tokens[i] : EOF; } /** * @return {?} */ get next() { return this.peek(0); } /** * @return {?} */ get inputIndex() { return (this.index < this.tokens.length) ? this.next.index + this.offset : this.inputLength + this.offset; } /** * @param {?} start * @return {?} */ span(start) { return new ParseSpan(start, this.inputIndex); } /** * @return {?} */ advance() { this.index++; } /** * @param {?} code * @return {?} */ optionalCharacter(code) { if (this.next.isCharacter(code)) { this.advance(); return true; } else { return false; } } /** * @return {?} */ peekKeywordLet() { return this.next.isKeywordLet(); } /** * @return {?} */ peekKeywordAs() { return this.next.isKeywordAs(); } /** * @param {?} code * @return {?} */ expectCharacter(code) { if (this.optionalCharacter(code)) return; this.error(`Missing expected ${String.fromCharCode(code)}`); } /** * @param {?} op * @return {?} */ optionalOperator(op) { if (this.next.isOperator(op)) { this.advance(); return true; } else { return false; } } /** * @param {?} operator * @return {?} */ expectOperator(operator) { if (this.optionalOperator(operator)) return; this.error(`Missing expected operator ${operator}`); } /** * @return {?} */ expectIdentifierOrKeyword() { const /** @type {?} */ n = this.next; if (!n.isIdentifier() && !n.isKeyword()) { this.error(`Unexpected token ${n}, expected identifier or keyword`); return ''; } this.advance(); return /** @type {?} */ (n.toString()); } /** * @return {?} */ expectIdentifierOrKeywordOrString() { const /** @type {?} */ n = this.next; if (!n.isIdentifier() && !n.isKeyword() && !n.isString()) { this.error(`Unexpected token ${n}, expected identifier, keyword, or string`); return ''; } this.advance(); return /** @type {?} */ (n.toString()); } /** * @return {?} */ parseChain() { const /** @type {?} */ exprs = []; const /** @type {?} */ start = this.inputIndex; while (this.index < this.tokens.length) { const /** @type {?} */ expr = this.parsePipe(); exprs.push(expr); if (this.optionalCharacter($SEMICOLON)) { if (!this.parseAction) { this.error('Binding expression cannot contain chained expression'); } while (this.optionalCharacter($SEMICOLON)) { } // read all semicolons } else if (this.index < this.tokens.length) { this.error(`Unexpected token '${this.next}'`); } } if (exprs.length == 0) return new EmptyExpr(this.span(start)); if (exprs.length == 1) return exprs[0]; return new Chain(this.span(start), exprs); } /** * @return {?} */ parsePipe() { let /** @type {?} */ result = this.parseExpression(); if (this.optionalOperator('|')) { if (this.parseAction) { this.error('Cannot have a pipe in an action expression'); } do { const /** @type {?} */ name = this.expectIdentifierOrKeyword(); const /** @type {?} */ args = []; while (this.optionalCharacter($COLON)) { args.push(this.parseExpression()); } result = new BindingPipe(this.span(result.span.start), result, name, args); } while (this.optionalOperator('|')); } return result; } /** * @return {?} */ parseExpression() { return this.parseConditional(); } /** * @return {?} */ parseConditional() { const /** @type {?} */ start = this.inputIndex; const /** @type {?} */ result = this.parseLogicalOr(); if (this.optionalOperator('?')) { const /** @type {?} */ yes = this.parsePipe(); let /** @type {?} */ no; if (!this.optionalCharacter($COLON)) { const /** @type {?} */ end = this.inputIndex; const /** @type {?} */ expression = this.input.substring(start, end); this.error(`Conditional expression ${expression} requires all 3 expressions`); no = new EmptyExpr(this.span(start)); } else { no = this.parsePipe(); } return new Conditional(this.span(start), result, yes, no); } else { return result; } } /** * @return {?} */ parseLogicalOr() { // '||' let /** @type {?} */ result = this.parseLogicalAnd(); while (this.optionalOperator('||')) { const /** @type {?} */ right = this.parseLogicalAnd(); result = new Binary(this.span(result.span.start), '||', result, right); } return result; } /** * @return {?} */ parseLogicalAnd() { // '&&' let /** @type {?} */ result = this.parseEquality(); while (this.optionalOperator('&&')) { const /** @type {?} */ right = this.parseEquality(); result = new Binary(this.span(result.span.start), '&&', result, right); } return result; } /** * @return {?} */ parseEquality() { // '==','!=','===','!==' let /** @type {?} */ result = this.parseRelational(); while (this.next.type == TokenType.Operator) { const /** @type {?} */ operator = this.next.strValue; switch (operator) { case '==': case '===': case '!=': case '!==': this.advance(); const /** @type {?} */ right = this.parseRelational(); result = new Binary(this.span(result.span.start), operator, result, right); continue; } break; } return result; } /** * @return {?} */ parseRelational() { // '<', '>', '<=', '>=' let /** @type {?} */ result = this.parseAdditive(); while (this.next.type == TokenType.Operator) { const /** @type {?} */ operator = this.next.strValue; switch (operator) { case '<': case '>': case '<=': case '>=': this.advance(); const /** @type {?} */ right = this.parseAdditive(); result = new Binary(this.span(result.span.start), operator, result, right); continue; } break; } return result; } /** * @return {?} */ parseAdditive() { // '+', '-' let /** @type {?} */ result = this.parseMultiplicative(); while (this.next.type == TokenType.Operator) { const /** @type {?} */ operator = this.next.strValue; switch (operator) { case '+': case '-': this.advance(); let /** @type {?} */ right = this.parseMultiplicative(); result = new Binary(this.span(result.span.start), operator, result, right); continue; } break; } return result; } /** * @return {?} */ parseMultiplicative() { // '*', '%', '/' let /** @type {?} */ result = this.parsePrefix(); while (this.next.type == TokenType.Operator) { const /** @type {?} */ operator = this.next.strValue; switch (operator) { case '*': case '%': case '/': this.advance(); let /** @type {?} */ right = this.parsePrefix(); result = new Binary(this.span(result.span.start), operator, result, right); continue; } break; } return result; } /** * @return {?} */ parsePrefix() { if (this.next.type == TokenType.Operator) { const /** @type {?} */ start = this.inputIndex; const /** @type {?} */ operator = this.next.strValue; let /** @type {?} */ result; switch (operator) { case '+': this.advance(); result = this.parsePrefix(); return new Binary(this.span(start), '-', result, new LiteralPrimitive(new ParseSpan(start, start), 0)); case '-': this.advance(); result = this.parsePrefix(); return new Binary(this.span(start), operator, new LiteralPrimitive(new ParseSpan(start, start), 0), result); case '!': this.advance(); result = this.parsePrefix(); return new PrefixNot(this.span(start), result); } } return this.parseCallChain(); } /** * @return {?} */ parseCallChain() { let /** @type {?} */ result = this.parsePrimary(); while (true) { if (this.optionalCharacter($PERIOD)) { result = this.parseAccessMemberOrMethodCall(result, false); } else if (this.optionalOperator('?.')) { result = this.parseAccessMemberOrMethodCall(result, true); } else if (this.optionalCharacter($LBRACKET)) { this.rbracketsExpected++; const /** @type {?} */ key = this.parsePipe(); this.rbracketsExpected--; this.expectCharacter($RBRACKET); if (this.optionalOperator('=')) { const /** @type {?} */ value = this.parseConditional(); result = new KeyedWrite(this.span(result.span.start), result, key, value); } else { result = new KeyedRead(this.span(result.span.start), result, key); } } else if (this.optionalCharacter($LPAREN)) { this.rparensExpected++; const /** @type {?} */ args = this.parseCallArguments(); this.rparensExpected--; this.expectCharacter($RPAREN); result = new FunctionCall(this.span(result.span.start), result, args); } else if (this.optionalOperator('!')) { result = new NonNullAssert(this.span(result.span.start), result); } else { return result; } } } /** * @return {?} */ parsePrimary() { const /** @type {?} */ start = this.inputIndex; if (this.optionalCharacter($LPAREN)) { this.rparensExpected++; const /** @type {?} */ result = this.parsePipe(); this.rparensExpected--; this.expectCharacter($RPAREN); return result; } else if (this.next.isKeywordNull()) { this.advance(); return new LiteralPrimitive(this.span(start), null); } else if (this.next.isKeywordUndefined()) { this.advance(); return new LiteralPrimitive(this.span(start), void 0); } else if (this.next.isKeywordTrue()) { this.advance(); return new LiteralPrimitive(this.span(start), true); } else if (this.next.isKeywordFalse()) { this.advance(); return new LiteralPrimitive(this.span(start), false); } else if (this.next.isKeywordThis()) { this.advance(); return new ImplicitReceiver(this.span(start)); } else if (this.optionalCharacter($LBRACKET)) { this.rbracketsExpected++; const /** @type {?} */ elements = this.parseExpressionList($RBRACKET); this.rbracketsExpected--; this.expectCharacter($RBRACKET); return new LiteralArray(this.span(start), elements); } else if (this.next.isCharacter($LBRACE)) { return this.parseLiteralMap(); } else if (this.next.isIdentifier()) { return this.parseAccessMemberOrMethodCall(new ImplicitReceiver(this.span(start)), false); } else if (this.next.isNumber()) { const /** @type {?} */ value = this.next.toNumber(); this.advance(); return new LiteralPrimitive(this.span(start), value); } else if (this.next.isString()) { const /** @type {?} */ literalValue = this.next.toString(); this.advance(); return new LiteralPrimitive(this.span(start), literalValue); } else if (this.index >= this.tokens.length) { this.error(`Unexpected end of expression: ${this.input}`); return new EmptyExpr(this.span(start)); } else { this.error(`Unexpected token ${this.next}`); return new EmptyExpr(this.span(start)); } } /** * @param {?} terminator * @return {?} */ parseExpressionList(terminator) { const /** @type {?} */ result = []; if (!this.next.isCharacter(terminator)) { do { result.push(this.parsePipe()); } while (this.optionalCharacter($COMMA)); } return result; } /** * @return {?} */ parseLiteralMap() { const /** @type {?} */ keys = []; const /** @type {?} */ values = []; const /** @type {?} */ start = this.inputIndex; this.expectCharacter($LBRACE); if (!this.optionalCharacter($RBRACE)) { this.rbracesExpected++; do { const /** @type {?} */ quoted = this.next.isString(); const /** @type {?} */ key = this.expectIdentifierOrKeywordOrString(); keys.push({ key, quoted }); this.expectCharacter($COLON); values.push(this.parsePipe()); } while (this.optionalCharacter($COMMA)); this.rbracesExpected--; this.expectCharacter($RBRACE); } return new LiteralMap(this.span(start), keys, values); } /** * @param {?} receiver * @param {?=} isSafe * @return {?} */ parseAccessMemberOrMethodCall(receiver, isSafe = false) { const /** @type {?} */ start = receiver.span.start; const /** @type {?} */ id = this.expectIdentifierOrKeyword(); if (this.optionalCharacter($LPAREN)) { this.rparensExpected++; const /** @type {?} */ args = this.parseCallArguments(); this.expectCharacter($RPAREN); this.rparensExpected--; const /** @type {?} */ span = this.span(start); return isSafe ? new SafeMethodCall(span, receiver, id, args) : new MethodCall(span, receiver, id, args); } else { if (isSafe) { if (this.optionalOperator('=')) { this.error('The \'?.\' operator cannot be used in the assignment'); return new EmptyExpr(this.span(start)); } else { return new SafePropertyRead(this.span(start), receiver, id); } } else { if (this.optionalOperator('=')) { if (!this.parseAction) { this.error('Bindings cannot contain assignments'); return new EmptyExpr(this.span(start)); } const /** @type {?} */ value = this.parseConditional(); return new PropertyWrite(this.span(start), receiver, id, value); } else { return new PropertyRead(this.span(start), receiver, id); } } } } /** * @return {?} */ parseCallArguments() { if (this.next.isCharacter($RPAREN)) return []; const /** @type {?} */ positionals = []; do { positionals.push(this.parsePipe()); } while (this.optionalCharacter($COMMA)); return /** @type {?} */ (positionals); } /** * An identifier, a keyword, a string with an optional `-` inbetween. * @return {?} */ expectTemplateBindingKey() { let /** @type {?} */ result = ''; let /** @type {?} */ operatorFound = false; do { result += this.expectIdentifierOrKeywordOrString(); operatorFound = this.optionalOperator('-'); if (operatorFound) { result += '-'; } } while (operatorFound); return result.toString(); } /** * @return {?} */ parseTemplateBindings() { const /** @type {?} */ bindings = []; let /** @type {?} */ prefix = /** @type {?} */ ((null)); const /** @type {?} */ warnings = []; while (this.index < this.tokens.length) { const /** @type {?} */ start = this.inputIndex; let /** @type {?} */ keyIsVar = this.peekKeywordLet(); if (keyIsVar) { this.advance(); } let /** @type {?} */ rawKey = this.expectTemplateBindingKey(); let /** @type {?} */ key = rawKey; if (!keyIsVar) { if (prefix == null) { prefix = key; } else { key = prefix + key[0].toUpperCase() + key.substring(1); } } this.optionalCharacter($COLON); let /** @type {?} */ name = /** @type {?} */ ((null)); let /** @type {?} */ expression = /** @type {?} */ ((null)); if (keyIsVar) { if (this.optionalOperator('=')) { name = this.expectTemplateBindingKey(); } else { name = '\$implicit'; } } else if (this.peekKeywordAs()) { const /** @type {?} */ letStart = this.inputIndex; this.advance(); // consume `as` name = rawKey; key = this.expectTemplateBindingKey(); // read local var name keyIsVar = true; } else if (this.next !== EOF && !this.peekKeywordLet()) { const /** @type {?} */ start = this.inputIndex; const /** @type {?} */ ast = this.parsePipe(); const /** @type {?} */ source = this.input.substring(start - this.offset, this.inputIndex - this.offset); expression = new ASTWithSource(ast, source, this.location, this.errors); } bindings.push(new TemplateBinding(this.span(start), key, keyIsVar, name, expression)); if (this.peekKeywordAs() && !keyIsVar) { const /** @type {?} */ letStart = this.inputIndex; this.advance(); // consume `as` const /** @type {?} */ letName = this.expectTemplateBindingKey(); // read local var name bindings.push(new TemplateBinding(this.span(letStart), letName, true, key, /** @type {?} */ ((null)))); } if (!this.optionalCharacter($SEMICOLON)) { this.optionalCharacter($COMMA); } } return new TemplateBindingParseResult(bindings, warnings, this.errors); } /** * @param {?} message * @param {?=} index * @return {?} */ error(message, index = null) { this.errors.push(new ParserError(message, this.input, this.locationText(index), this.location)); this.skip(); } /** * @param {?=} index * @return {?} */ locationText(index = null) { if (index == null) index = this.index; return (index < this.tokens.length) ? `at column ${this.tokens[index].index + 1} in` : `at the end of the expression`; } /** * @return {?} */ skip() { let /** @type {?} */ n = this.next; while (this.index < this.tokens.length && !n.isCharacter($SEMICOLON) && (this.rparensExpected <= 0 || !n.isCharacter($RPAREN)) && (this.rbracesExpected <= 0 || !n.isCharacter($RBRACE)) && (this.rbracketsExpected <= 0 || !n.isCharacter($RBRACKET))) { if (this.next.isError()) { this.errors.push(new ParserError(/** @type {?} */ ((this.next.toString())), this.input, this.locationText(), this.location)); } this.advance(); n = this.next; } } } class SimpleExpressionChecker { constructor() { this.errors = []; } /** * @param {?} ast * @return {?} */ static check(ast) { const /** @type {?} */ s = new SimpleExpressionChecker(); ast.visit(s); return s.errors; } /** * @param {?} ast * @param {?} context * @return {?} */ visitImplicitReceiver(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitInterpolation(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralPrimitive(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyRead(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPropertyWrite(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafePropertyRead(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitMethodCall(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitSafeMethodCall(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitFunctionCall(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralArray(ast, context) { this.visitAll(ast.expressions); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralMap(ast, context) { this.visitAll(ast.values); } /** * @param {?} ast * @param {?} context * @return {?} */ visitBinary(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPrefixNot(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitNonNullAssert(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitConditional(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitPipe(ast, context) { this.errors.push('pipes'); } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedRead(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitKeyedWrite(ast, context) { } /** * @param {?} asts * @return {?} */ visitAll(asts) { return asts.map(node => node.visit(this)); } /** * @param {?} ast * @param {?} context * @return {?} */ visitChain(ast, context) { } /** * @param {?} ast * @param {?} context * @return {?} */ visitQuote(ast, context) { } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ class ParseLocation { /** * @param {?} file * @param {?} offset * @param {?} line * @param {?} col */ constructor(file, offset, line, col) { this.file = file; this.offset = offset; this.line = line; this.col = col; } /** * @return {?} */ toString() { return this.offset != null ? `${this.file.url}@${this.line}:${this.col}` : this.file.url; } /** * @param {?} delta * @return {?} */ moveBy(delta) { const /** @type {?} */ source = this.file.content; const /** @type {?} */ len = source.length; let /** @type {?} */ offset = this.offset; let /** @type {?} */ line = this.line; let /** @type {?} */ col = this.col; while (offset > 0 && delta < 0) { offset--; delta++; const /** @type {?} */ ch = source.charCodeAt(offset); if (ch == $LF) { line--; const /** @type {?} */ priorLine = source.substr(0, offset - 1).lastIndexOf(String.fromCharCode($LF)); col = priorLine > 0 ? offset - priorLine : offset; } else { col--; } } while (offset < len && delta > 0) { const /** @type {?} */ ch = source.charCodeAt(offset); offset++; delta--; if (ch == $LF) { line++; col = 0; } else { col++; } } return new ParseLocation(this.file, offset, line, col); } /** * @param {?} maxChars * @param {?} maxLines * @return {?} */ getContext(maxChars, maxLines) { const /** @type {?} */ content = this.file.content; let /** @type {?} */ startOffset = this.offset; if (startOffset != null) { if (startOffset > content.length - 1) { startOffset = content.length - 1; } let /** @type {?} */ endOffset = startOffset; let /** @type {?} */ ctxChars = 0; let /** @type {?} */ ctxLines = 0; while (ctxChars < maxChars && startOffset > 0) { startOffset--; ctxChars++; if (content[startOffset] == '\n') { if (++ctxLines == maxLines) { break; } } } ctxChars = 0; ctxLines = 0; while (ctxChars < maxChars && endOffset < content.length - 1) { endOffset++; ctxChars++; if (content[endOffset] == '\n') { if (++ctxLines == maxLines) { break; } } } return { before: content.substring(startOffset, this.offset), after: content.substring(this.offset, endOffset + 1), }; } return null; } } class ParseSourceFile { /** * @param {?} content * @param {?} url */ constructor(content, url) { this.content = content; this.url = url; } } class ParseSourceSpan { /** * @param {?} start * @param {?} end * @param {?=} details */ constructor(start, end, details = null) { this.start = start; this.end = end; this.details = details; } /** * @return {?} */ toString() { return this.start.file.content.substring(this.start.offset, this.end.offset); } } /** @enum {number} */ const ParseErrorLevel = { WARNING: 0, ERROR: 1, }; ParseErrorLevel[ParseErrorLevel.WARNING] = "WARNING"; ParseErrorLevel[ParseErrorLevel.ERROR] = "ERROR"; class ParseError { /** * @param {?} span * @param {?} msg * @param {?=} level */ constructor(span, msg, level = ParseErrorLevel.ERROR) { this.span = span; this.msg = msg; this.level = level; } /** * @return {?} */ contextualMessage() { const /** @type {?} */ ctx = this.span.start.getContext(100, 3); return ctx ? `${this.msg} ("${ctx.before}[${ParseErrorLevel[this.level]} ->]${ctx.after}")` : this.msg; } /** * @return {?} */ toString() { const /** @type {?} */ details = this.span.details ? `, ${this.span.details}` : ''; return `${this.contextualMessage()}: ${this.span.start}${details}`; } } /** * @param {?} kind * @param {?} type * @return {?} */ function typeSourceSpan(kind, type) { const /** @type {?} */ moduleUrl = identifierModuleUrl(type); const /** @type {?} */ sourceFileName = moduleUrl != null ? `in ${kind} ${identifierName(type)} in ${moduleUrl}` : `in ${kind} ${identifierName(type)}`; const /** @type {?} */ sourceFile = new ParseSourceFile('', sourceFileName); return new ParseSourceSpan(new ParseLocation(sourceFile, -1, -1, -1), new ParseLocation(sourceFile, -1, -1, -1)); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** @enum {number} */ const TokenType$1 = { TAG_OPEN_START: 0, TAG_OPEN_END: 1, TAG_OPEN_END_VOID: 2, TAG_CLOSE: 3, TEXT: 4, ESCAPABLE_RAW_TEXT: 5, RAW_TEXT: 6, COMMENT_START: 7, COMMENT_END: 8, CDATA_START: 9, CDATA_END: 10, ATTR_NAME: 11, ATTR_VALUE: 12, DOC_TYPE: 13, EXPANSION_FORM_START: 14, EXPANSION_CASE_VALUE: 15, EXPANSION_CASE_EXP_START: 16, EXPANSION_CASE_EXP_END: 17, EXPANSION_FORM_END: 18, EOF: 19, }; TokenType$1[TokenType$1.TAG_OPEN_START] = "TAG_OPEN_START"; TokenType$1[TokenType$1.TAG_OPEN_END] = "TAG_OPEN_END"; TokenType$1[TokenType$1.TAG_OPEN_END_VOID] = "TAG_OPEN_END_VOID"; TokenType$1[TokenType$1.TAG_CLOSE] = "TAG_CLOSE"; TokenType$1[TokenType$1.TEXT] = "TEXT"; TokenType$1[TokenType$1.ESCAPABLE_RAW_TEXT] = "ESCAPABLE_RAW_TEXT"; TokenType$1[TokenType$1.RAW_TEXT] = "RAW_TEXT"; TokenType$1[TokenType$1.COMMENT_START] = "COMMENT_START"; TokenType$1[TokenType$1.COMMENT_END] = "COMMENT_END"; TokenType$1[TokenType$1.CDATA_START] = "CDATA_START"; TokenType$1[TokenType$1.CDATA_END] = "CDATA_END"; TokenType$1[TokenType$1.ATTR_NAME] = "ATTR_NAME"; TokenType$1[TokenType$1.ATTR_VALUE] = "ATTR_VALUE"; TokenType$1[TokenType$1.DOC_TYPE] = "DOC_TYPE"; TokenType$1[TokenType$1.EXPANSION_FORM_START] = "EXPANSION_FORM_START"; TokenType$1[TokenType$1.EXPANSION_CASE_VALUE] = "EXPANSION_CASE_VALUE"; TokenType$1[TokenType$1.EXPANSION_CASE_EXP_START] = "EXPANSION_CASE_EXP_START"; TokenType$1[TokenType$1.EXPANSION_CASE_EXP_END] = "EXPANSION_CASE_EXP_END"; TokenType$1[TokenType$1.EXPANSION_FORM_END] = "EXPANSION_FORM_END"; TokenType$1[TokenType$1.EOF] = "EOF"; class Token$1 { /** * @param {?} type * @param {?} parts * @param {?} sourceSpan */ constructor(type, parts, sourceSpan) { this.type = type; this.parts = parts; this.sourceSpan = sourceSpan; } } class TokenError extends ParseError { /** * @param {?} errorMsg * @param {?} tokenType * @param {?} span */ constructor(errorMsg, tokenType, span) { super(span, errorMsg); this.tokenType = tokenType; } } class TokenizeResult { /** * @param {?} tokens * @param {?} errors */ constructor(tokens, errors) { this.tokens = tokens; this.errors = errors; } } /** * @param {?} source * @param {?} url * @param {?} getTagDefinition * @param {?=} tokenizeExpansionForms * @param {?=} interpolationConfig * @return {?} */ function tokenize(source, url, getTagDefinition, tokenizeExpansionForms = false, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { return new _Tokenizer(new ParseSourceFile(source, url), getTagDefinition, tokenizeExpansionForms, interpolationConfig) .tokenize(); } const _CR_OR_CRLF_REGEXP = /\r\n?/g; /** * @param {?} charCode * @return {?} */ function _unexpectedCharacterErrorMsg(charCode) { const /** @type {?} */ char = charCode === $EOF ? 'EOF' : String.fromCharCode(charCode); return `Unexpected character "${char}"`; } /** * @param {?} entitySrc * @return {?} */ function _unknownEntityErrorMsg(entitySrc) { return `Unknown entity "${entitySrc}" - use the "&#;" or "&#x;" syntax`; } class _ControlFlowError { /** * @param {?} error */ constructor(error) { this.error = error; } } class _Tokenizer { /** * @param {?} _file The html source * @param {?} _getTagDefinition * @param {?} _tokenizeIcu Whether to tokenize ICU messages (considered as text nodes when false) * @param {?=} _interpolationConfig */ constructor(_file, _getTagDefinition, _tokenizeIcu, _interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { this._file = _file; this._getTagDefinition = _getTagDefinition; this._tokenizeIcu = _tokenizeIcu; this._interpolationConfig = _interpolationConfig; this._peek = -1; this._nextPeek = -1; this._index = -1; this._line = 0; this._column = -1; this._expansionCaseStack = []; this._inInterpolation = false; this.tokens = []; this.errors = []; this._input = _file.content; this._length = _file.content.length; this._advance(); } /** * @param {?} content * @return {?} */ _processCarriageReturns(content) { // http://www.w3.org/TR/html5/syntax.html#preprocessing-the-input-stream // In order to keep the original position in the source, we can not // pre-process it. // Instead CRs are processed right before instantiating the tokens. return content.replace(_CR_OR_CRLF_REGEXP, '\n'); } /** * @return {?} */ tokenize() { while (this._peek !== $EOF) { const /** @type {?} */ start = this._getLocation(); try { if (this._attemptCharCode($LT)) { if (this._attemptCharCode($BANG)) { if (this._attemptCharCode($LBRACKET)) { this._consumeCdata(start); } else if (this._attemptCharCode($MINUS)) { this._consumeComment(start); } else { this._consumeDocType(start); } } else if (this._attemptCharCode($SLASH)) { this._consumeTagClose(start); } else { this._consumeTagOpen(start); } } else if (!(this._tokenizeIcu && this._tokenizeExpansionForm())) { this._consumeText(); } } catch (/** @type {?} */ e) { if (e instanceof _ControlFlowError) { this.errors.push(e.error); } else { throw e; } } } this._beginToken(TokenType$1.EOF); this._endToken([]); return new TokenizeResult(mergeTextTokens(this.tokens), this.errors); } /** * \@internal * @return {?} whether an ICU token has been created */ _tokenizeExpansionForm() { if (isExpansionFormStart(this._input, this._index, this._interpolationConfig)) { this._consumeExpansionFormStart(); return true; } if (isExpansionCaseStart(this._peek) && this._isInExpansionForm()) { this._consumeExpansionCaseStart(); return true; } if (this._peek === $RBRACE) { if (this._isInExpansionCase()) { this._consumeExpansionCaseEnd(); return true; } if (this._isInExpansionForm()) { this._consumeExpansionFormEnd(); return true; } } return false; } /** * @return {?} */ _getLocation() { return new ParseLocation(this._file, this._index, this._line, this._column); } /** * @param {?=} start * @param {?=} end * @return {?} */ _getSpan(start = this._getLocation(), end = this._getLocation()) { return new ParseSourceSpan(start, end); } /** * @param {?} type * @param {?=} start * @return {?} */ _beginToken(type, start = this._getLocation()) { this._currentTokenStart = start; this._currentTokenType = type; } /** * @param {?} parts * @param {?=} end * @return {?} */ _endToken(parts, end = this._getLocation()) { const /** @type {?} */ token = new Token$1(this._currentTokenType, parts, new ParseSourceSpan(this._currentTokenStart, end)); this.tokens.push(token); this._currentTokenStart = /** @type {?} */ ((null)); this._currentTokenType = /** @type {?} */ ((null)); return token; } /** * @param {?} msg * @param {?} span * @return {?} */ _createError(msg, span) { if (this._isInExpansionForm()) { msg += ` (Do you have an unescaped "{" in your template? Use "{{ '{' }}") to escape it.)`; } const /** @type {?} */ error = new TokenError(msg, this._currentTokenType, span); this._currentTokenStart = /** @type {?} */ ((null)); this._currentTokenType = /** @type {?} */ ((null)); return new _ControlFlowError(error); } /** * @return {?} */ _advance() { if (this._index >= this._length) { throw this._createError(_unexpectedCharacterErrorMsg($EOF), this._getSpan()); } if (this._peek === $LF) { this._line++; this._column = 0; } else if (this._peek !== $LF && this._peek !== $CR) { this._column++; } this._index++; this._peek = this._index >= this._length ? $EOF : this._input.charCodeAt(this._index); this._nextPeek = this._index + 1 >= this._length ? $EOF : this._input.charCodeAt(this._index + 1); } /** * @param {?} charCode * @return {?} */ _attemptCharCode(charCode) { if (this._peek === charCode) { this._advance(); return true; } return false; } /** * @param {?} charCode * @return {?} */ _attemptCharCodeCaseInsensitive(charCode) { if (compareCharCodeCaseInsensitive(this._peek, charCode)) { this._advance(); return true; } return false; } /** * @param {?} charCode * @return {?} */ _requireCharCode(charCode) { const /** @type {?} */ location = this._getLocation(); if (!this._attemptCharCode(charCode)) { throw this._createError(_unexpectedCharacterErrorMsg(this._peek), this._getSpan(location, location)); } } /** * @param {?} chars * @return {?} */ _attemptStr(chars) { const /** @type {?} */ len = chars.length; if (this._index + len > this._length) { return false; } const /** @type {?} */ initialPosition = this._savePosition(); for (let /** @type {?} */ i = 0; i < len; i++) { if (!this._attemptCharCode(chars.charCodeAt(i))) { // If attempting to parse the string fails, we want to reset the parser // to where it was before the attempt this._restorePosition(initialPosition); return false; } } return true; } /** * @param {?} chars * @return {?} */ _attemptStrCaseInsensitive(chars) { for (let /** @type {?} */ i = 0; i < chars.length; i++) { if (!this._attemptCharCodeCaseInsensitive(chars.charCodeAt(i))) { return false; } } return true; } /** * @param {?} chars * @return {?} */ _requireStr(chars) { const /** @type {?} */ location = this._getLocation(); if (!this._attemptStr(chars)) { throw this._createError(_unexpectedCharacterErrorMsg(this._peek), this._getSpan(location)); } } /** * @param {?} predicate * @return {?} */ _attemptCharCodeUntilFn(predicate) { while (!predicate(this._peek)) { this._advance(); } } /** * @param {?} predicate * @param {?} len * @return {?} */ _requireCharCodeUntilFn(predicate, len) { const /** @type {?} */ start = this._getLocation(); this._attemptCharCodeUntilFn(predicate); if (this._index - start.offset < len) { throw this._createError(_unexpectedCharacterErrorMsg(this._peek), this._getSpan(start, start)); } } /** * @param {?} char * @return {?} */ _attemptUntilChar(char) { while (this._peek !== char) { this._advance(); } } /** * @param {?} decodeEntities * @return {?} */ _readChar(decodeEntities) { if (decodeEntities && this._peek === $AMPERSAND) { return this._decodeEntity(); } else { const /** @type {?} */ index = this._index; this._advance(); return this._input[index]; } } /** * @return {?} */ _decodeEntity() { const /** @type {?} */ start = this._getLocation(); this._advance(); if (this._attemptCharCode($HASH)) { const /** @type {?} */ isHex = this._attemptCharCode($x) || this._attemptCharCode($X); const /** @type {?} */ numberStart = this._getLocation().offset; this._attemptCharCodeUntilFn(isDigitEntityEnd); if (this._peek != $SEMICOLON) { throw this._createError(_unexpectedCharacterErrorMsg(this._peek), this._getSpan()); } this._advance(); const /** @type {?} */ strNum = this._input.substring(numberStart, this._index - 1); try { const /** @type {?} */ charCode = parseInt(strNum, isHex ? 16 : 10); return String.fromCharCode(charCode); } catch (/** @type {?} */ e) { const /** @type {?} */ entity = this._input.substring(start.offset + 1, this._index - 1); throw this._createError(_unknownEntityErrorMsg(entity), this._getSpan(start)); } } else { const /** @type {?} */ startPosition = this._savePosition(); this._attemptCharCodeUntilFn(isNamedEntityEnd); if (this._peek != $SEMICOLON) { this._restorePosition(startPosition); return '&'; } this._advance(); const /** @type {?} */ name = this._input.substring(start.offset + 1, this._index - 1); const /** @type {?} */ char = NAMED_ENTITIES[name]; if (!char) { throw this._createError(_unknownEntityErrorMsg(name), this._getSpan(start)); } return char; } } /** * @param {?} decodeEntities * @param {?} firstCharOfEnd * @param {?} attemptEndRest * @return {?} */ _consumeRawText(decodeEntities, firstCharOfEnd, attemptEndRest) { let /** @type {?} */ tagCloseStart; const /** @type {?} */ textStart = this._getLocation(); this._beginToken(decodeEntities ? TokenType$1.ESCAPABLE_RAW_TEXT : TokenType$1.RAW_TEXT, textStart); const /** @type {?} */ parts = []; while (true) { tagCloseStart = this._getLocation(); if (this._attemptCharCode(firstCharOfEnd) && attemptEndRest()) { break; } if (this._index > tagCloseStart.offset) { // add the characters consumed by the previous if statement to the output parts.push(this._input.substring(tagCloseStart.offset, this._index)); } while (this._peek !== firstCharOfEnd) { parts.push(this._readChar(decodeEntities)); } } return this._endToken([this._processCarriageReturns(parts.join(''))], tagCloseStart); } /** * @param {?} start * @return {?} */ _consumeComment(start) { this._beginToken(TokenType$1.COMMENT_START, start); this._requireCharCode($MINUS); this._endToken([]); const /** @type {?} */ textToken = this._consumeRawText(false, $MINUS, () => this._attemptStr('->')); this._beginToken(TokenType$1.COMMENT_END, textToken.sourceSpan.end); this._endToken([]); } /** * @param {?} start * @return {?} */ _consumeCdata(start) { this._beginToken(TokenType$1.CDATA_START, start); this._requireStr('CDATA['); this._endToken([]); const /** @type {?} */ textToken = this._consumeRawText(false, $RBRACKET, () => this._attemptStr(']>')); this._beginToken(TokenType$1.CDATA_END, textToken.sourceSpan.end); this._endToken([]); } /** * @param {?} start * @return {?} */ _consumeDocType(start) { this._beginToken(TokenType$1.DOC_TYPE, start); this._attemptUntilChar($GT); this._advance(); this._endToken([this._input.substring(start.offset + 2, this._index - 1)]); } /** * @return {?} */ _consumePrefixAndName() { const /** @type {?} */ nameOrPrefixStart = this._index; let /** @type {?} */ prefix = /** @type {?} */ ((null)); while (this._peek !== $COLON && !isPrefixEnd(this._peek)) { this._advance(); } let /** @type {?} */ nameStart; if (this._peek === $COLON) { this._advance(); prefix = this._input.substring(nameOrPrefixStart, this._index - 1); nameStart = this._index; } else { nameStart = nameOrPrefixStart; } this._requireCharCodeUntilFn(isNameEnd, this._index === nameStart ? 1 : 0); const /** @type {?} */ name = this._input.substring(nameStart, this._index); return [prefix, name]; } /** * @param {?} start * @return {?} */ _consumeTagOpen(start) { const /** @type {?} */ savedPos = this._savePosition(); let /** @type {?} */ tagName; let /** @type {?} */ lowercaseTagName; try { if (!isAsciiLetter(this._peek)) { throw this._createError(_unexpectedCharacterErrorMsg(this._peek), this._getSpan()); } const /** @type {?} */ nameStart = this._index; this._consumeTagOpenStart(start); tagName = this._input.substring(nameStart, this._index); lowercaseTagName = tagName.toLowerCase(); this._attemptCharCodeUntilFn(isNotWhitespace); while (this._peek !== $SLASH && this._peek !== $GT) { this._consumeAttributeName(); this._attemptCharCodeUntilFn(isNotWhitespace); if (this._attemptCharCode($EQ)) { this._attemptCharCodeUntilFn(isNotWhitespace); this._consumeAttributeValue(); } this._attemptCharCodeUntilFn(isNotWhitespace); } this._consumeTagOpenEnd(); } catch (/** @type {?} */ e) { if (e instanceof _ControlFlowError) { // When the start tag is invalid, assume we want a "<" this._restorePosition(savedPos); // Back to back text tokens are merged at the end this._beginToken(TokenType$1.TEXT, start); this._endToken(['<']); return; } throw e; } const /** @type {?} */ contentTokenType = this._getTagDefinition(tagName).contentType; if (contentTokenType === TagContentType.RAW_TEXT) { this._consumeRawTextWithTagClose(lowercaseTagName, false); } else if (contentTokenType === TagContentType.ESCAPABLE_RAW_TEXT) { this._consumeRawTextWithTagClose(lowercaseTagName, true); } } /** * @param {?} lowercaseTagName * @param {?} decodeEntities * @return {?} */ _consumeRawTextWithTagClose(lowercaseTagName, decodeEntities) { const /** @type {?} */ textToken = this._consumeRawText(decodeEntities, $LT, () => { if (!this._attemptCharCode($SLASH)) return false; this._attemptCharCodeUntilFn(isNotWhitespace); if (!this._attemptStrCaseInsensitive(lowercaseTagName)) return false; this._attemptCharCodeUntilFn(isNotWhitespace); return this._attemptCharCode($GT); }); this._beginToken(TokenType$1.TAG_CLOSE, textToken.sourceSpan.end); this._endToken([/** @type {?} */ ((null)), lowercaseTagName]); } /** * @param {?} start * @return {?} */ _consumeTagOpenStart(start) { this._beginToken(TokenType$1.TAG_OPEN_START, start); const /** @type {?} */ parts = this._consumePrefixAndName(); this._endToken(parts); } /** * @return {?} */ _consumeAttributeName() { this._beginToken(TokenType$1.ATTR_NAME); const /** @type {?} */ prefixAndName = this._consumePrefixAndName(); this._endToken(prefixAndName); } /** * @return {?} */ _consumeAttributeValue() { this._beginToken(TokenType$1.ATTR_VALUE); let /** @type {?} */ value; if (this._peek === $SQ || this._peek === $DQ) { const /** @type {?} */ quoteChar = this._peek; this._advance(); const /** @type {?} */ parts = []; while (this._peek !== quoteChar) { parts.push(this._readChar(true)); } value = parts.join(''); this._advance(); } else { const /** @type {?} */ valueStart = this._index; this._requireCharCodeUntilFn(isNameEnd, 1); value = this._input.substring(valueStart, this._index); } this._endToken([this._processCarriageReturns(value)]); } /** * @return {?} */ _consumeTagOpenEnd() { const /** @type {?} */ tokenType = this._attemptCharCode($SLASH) ? TokenType$1.TAG_OPEN_END_VOID : TokenType$1.TAG_OPEN_END; this._beginToken(tokenType); this._requireCharCode($GT); this._endToken([]); } /** * @param {?} start * @return {?} */ _consumeTagClose(start) { this._beginToken(TokenType$1.TAG_CLOSE, start); this._attemptCharCodeUntilFn(isNotWhitespace); const /** @type {?} */ prefixAndName = this._consumePrefixAndName(); this._attemptCharCodeUntilFn(isNotWhitespace); this._requireCharCode($GT); this._endToken(prefixAndName); } /** * @return {?} */ _consumeExpansionFormStart() { this._beginToken(TokenType$1.EXPANSION_FORM_START, this._getLocation()); this._requireCharCode($LBRACE); this._endToken([]); this._expansionCaseStack.push(TokenType$1.EXPANSION_FORM_START); this._beginToken(TokenType$1.RAW_TEXT, this._getLocation()); const /** @type {?} */ condition = this._readUntil($COMMA); this._endToken([condition], this._getLocation()); this._requireCharCode($COMMA); this._attemptCharCodeUntilFn(isNotWhitespace); this._beginToken(TokenType$1.RAW_TEXT, this._getLocation()); const /** @type {?} */ type = this._readUntil($COMMA); this._endToken([type], this._getLocation()); this._requireCharCode($COMMA); this._attemptCharCodeUntilFn(isNotWhitespace); } /** * @return {?} */ _consumeExpansionCaseStart() { this._beginToken(TokenType$1.EXPANSION_CASE_VALUE, this._getLocation()); const /** @type {?} */ value = this._readUntil($LBRACE).trim(); this._endToken([value], this._getLocation()); this._attemptCharCodeUntilFn(isNotWhitespace); this._beginToken(TokenType$1.EXPANSION_CASE_EXP_START, this._getLocation()); this._requireCharCode($LBRACE); this._endToken([], this._getLocation()); this._attemptCharCodeUntilFn(isNotWhitespace); this._expansionCaseStack.push(TokenType$1.EXPANSION_CASE_EXP_START); } /** * @return {?} */ _consumeExpansionCaseEnd() { this._beginToken(TokenType$1.EXPANSION_CASE_EXP_END, this._getLocation()); this._requireCharCode($RBRACE); this._endToken([], this._getLocation()); this._attemptCharCodeUntilFn(isNotWhitespace); this._expansionCaseStack.pop(); } /** * @return {?} */ _consumeExpansionFormEnd() { this._beginToken(TokenType$1.EXPANSION_FORM_END, this._getLocation()); this._requireCharCode($RBRACE); this._endToken([]); this._expansionCaseStack.pop(); } /** * @return {?} */ _consumeText() { const /** @type {?} */ start = this._getLocation(); this._beginToken(TokenType$1.TEXT, start); const /** @type {?} */ parts = []; do { if (this._interpolationConfig && this._attemptStr(this._interpolationConfig.start)) { parts.push(this._interpolationConfig.start); this._inInterpolation = true; } else if (this._interpolationConfig && this._inInterpolation && this._attemptStr(this._interpolationConfig.end)) { parts.push(this._interpolationConfig.end); this._inInterpolation = false; } else { parts.push(this._readChar(true)); } } while (!this._isTextEnd()); this._endToken([this._processCarriageReturns(parts.join(''))]); } /** * @return {?} */ _isTextEnd() { if (this._peek === $LT || this._peek === $EOF) { return true; } if (this._tokenizeIcu && !this._inInterpolation) { if (isExpansionFormStart(this._input, this._index, this._interpolationConfig)) { // start of an expansion form return true; } if (this._peek === $RBRACE && this._isInExpansionCase()) { // end of and expansion case return true; } } return false; } /** * @return {?} */ _savePosition() { return [this._peek, this._index, this._column, this._line, this.tokens.length]; } /** * @param {?} char * @return {?} */ _readUntil(char) { const /** @type {?} */ start = this._index; this._attemptUntilChar(char); return this._input.substring(start, this._index); } /** * @param {?} position * @return {?} */ _restorePosition(position) { this._peek = position[0]; this._index = position[1]; this._column = position[2]; this._line = position[3]; const /** @type {?} */ nbTokens = position[4]; if (nbTokens < this.tokens.length) { // remove any extra tokens this.tokens = this.tokens.slice(0, nbTokens); } } /** * @return {?} */ _isInExpansionCase() { return this._expansionCaseStack.length > 0 && this._expansionCaseStack[this._expansionCaseStack.length - 1] === TokenType$1.EXPANSION_CASE_EXP_START; } /** * @return {?} */ _isInExpansionForm() { return this._expansionCaseStack.length > 0 && this._expansionCaseStack[this._expansionCaseStack.length - 1] === TokenType$1.EXPANSION_FORM_START; } } /** * @param {?} code * @return {?} */ function isNotWhitespace(code) { return !isWhitespace(code) || code === $EOF; } /** * @param {?} code * @return {?} */ function isNameEnd(code) { return isWhitespace(code) || code === $GT || code === $SLASH || code === $SQ || code === $DQ || code === $EQ; } /** * @param {?} code * @return {?} */ function isPrefixEnd(code) { return (code < $a || $z < code) && (code < $A || $Z < code) && (code < $0 || code > $9); } /** * @param {?} code * @return {?} */ function isDigitEntityEnd(code) { return code == $SEMICOLON || code == $EOF || !isAsciiHexDigit(code); } /** * @param {?} code * @return {?} */ function isNamedEntityEnd(code) { return code == $SEMICOLON || code == $EOF || !isAsciiLetter(code); } /** * @param {?} input * @param {?} offset * @param {?} interpolationConfig * @return {?} */ function isExpansionFormStart(input, offset, interpolationConfig) { const /** @type {?} */ isInterpolationStart = interpolationConfig ? input.indexOf(interpolationConfig.start, offset) == offset : false; return input.charCodeAt(offset) == $LBRACE && !isInterpolationStart; } /** * @param {?} peek * @return {?} */ function isExpansionCaseStart(peek) { return peek === $EQ || isAsciiLetter(peek) || isDigit(peek); } /** * @param {?} code1 * @param {?} code2 * @return {?} */ function compareCharCodeCaseInsensitive(code1, code2) { return toUpperCaseCharCode(code1) == toUpperCaseCharCode(code2); } /** * @param {?} code * @return {?} */ function toUpperCaseCharCode(code) { return code >= $a && code <= $z ? code - $a + $A : code; } /** * @param {?} srcTokens * @return {?} */ function mergeTextTokens(srcTokens) { const /** @type {?} */ dstTokens = []; let /** @type {?} */ lastDstToken = undefined; for (let /** @type {?} */ i = 0; i < srcTokens.length; i++) { const /** @type {?} */ token = srcTokens[i]; if (lastDstToken && lastDstToken.type == TokenType$1.TEXT && token.type == TokenType$1.TEXT) { lastDstToken.parts[0] += token.parts[0]; lastDstToken.sourceSpan.end = token.sourceSpan.end; } else { lastDstToken = token; dstTokens.push(lastDstToken); } } return dstTokens; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class TreeError extends ParseError { /** * @param {?} elementName * @param {?} span * @param {?} msg */ constructor(elementName, span, msg) { super(span, msg); this.elementName = elementName; } /** * @param {?} elementName * @param {?} span * @param {?} msg * @return {?} */ static create(elementName, span, msg) { return new TreeError(elementName, span, msg); } } class ParseTreeResult { /** * @param {?} rootNodes * @param {?} errors */ constructor(rootNodes, errors) { this.rootNodes = rootNodes; this.errors = errors; } } class Parser$1 { /** * @param {?} getTagDefinition */ constructor(getTagDefinition) { this.getTagDefinition = getTagDefinition; } /** * @param {?} source * @param {?} url * @param {?=} parseExpansionForms * @param {?=} interpolationConfig * @return {?} */ parse(source, url, parseExpansionForms = false, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { const /** @type {?} */ tokensAndErrors = tokenize(source, url, this.getTagDefinition, parseExpansionForms, interpolationConfig); const /** @type {?} */ treeAndErrors = new _TreeBuilder(tokensAndErrors.tokens, this.getTagDefinition).build(); return new ParseTreeResult(treeAndErrors.rootNodes, (/** @type {?} */ (tokensAndErrors.errors)).concat(treeAndErrors.errors)); } } class _TreeBuilder { /** * @param {?} tokens * @param {?} getTagDefinition */ constructor(tokens, getTagDefinition) { this.tokens = tokens; this.getTagDefinition = getTagDefinition; this._index = -1; this._rootNodes = []; this._errors = []; this._elementStack = []; this._advance(); } /** * @return {?} */ build() { while (this._peek.type !== TokenType$1.EOF) { if (this._peek.type === TokenType$1.TAG_OPEN_START) { this._consumeStartTag(this._advance()); } else if (this._peek.type === TokenType$1.TAG_CLOSE) { this._consumeEndTag(this._advance()); } else if (this._peek.type === TokenType$1.CDATA_START) { this._closeVoidElement(); this._consumeCdata(this._advance()); } else if (this._peek.type === TokenType$1.COMMENT_START) { this._closeVoidElement(); this._consumeComment(this._advance()); } else if (this._peek.type === TokenType$1.TEXT || this._peek.type === TokenType$1.RAW_TEXT || this._peek.type === TokenType$1.ESCAPABLE_RAW_TEXT) { this._closeVoidElement(); this._consumeText(this._advance()); } else if (this._peek.type === TokenType$1.EXPANSION_FORM_START) { this._consumeExpansion(this._advance()); } else { // Skip all other tokens... this._advance(); } } return new ParseTreeResult(this._rootNodes, this._errors); } /** * @return {?} */ _advance() { const /** @type {?} */ prev = this._peek; if (this._index < this.tokens.length - 1) { // Note: there is always an EOF token at the end this._index++; } this._peek = this.tokens[this._index]; return prev; } /** * @param {?} type * @return {?} */ _advanceIf(type) { if (this._peek.type === type) { return this._advance(); } return null; } /** * @param {?} startToken * @return {?} */ _consumeCdata(startToken) { this._consumeText(this._advance()); this._advanceIf(TokenType$1.CDATA_END); } /** * @param {?} token * @return {?} */ _consumeComment(token) { const /** @type {?} */ text = this._advanceIf(TokenType$1.RAW_TEXT); this._advanceIf(TokenType$1.COMMENT_END); const /** @type {?} */ value = text != null ? text.parts[0].trim() : null; this._addToParent(new Comment(value, token.sourceSpan)); } /** * @param {?} token * @return {?} */ _consumeExpansion(token) { const /** @type {?} */ switchValue = this._advance(); const /** @type {?} */ type = this._advance(); const /** @type {?} */ cases = []; // read = while (this._peek.type === TokenType$1.EXPANSION_CASE_VALUE) { const /** @type {?} */ expCase = this._parseExpansionCase(); if (!expCase) return; // error cases.push(expCase); } // read the final } if (this._peek.type !== TokenType$1.EXPANSION_FORM_END) { this._errors.push(TreeError.create(null, this._peek.sourceSpan, `Invalid ICU message. Missing '}'.`)); return; } const /** @type {?} */ sourceSpan = new ParseSourceSpan(token.sourceSpan.start, this._peek.sourceSpan.end); this._addToParent(new Expansion(switchValue.parts[0], type.parts[0], cases, sourceSpan, switchValue.sourceSpan)); this._advance(); } /** * @return {?} */ _parseExpansionCase() { const /** @type {?} */ value = this._advance(); // read { if (this._peek.type !== TokenType$1.EXPANSION_CASE_EXP_START) { this._errors.push(TreeError.create(null, this._peek.sourceSpan, `Invalid ICU message. Missing '{'.`)); return null; } // read until } const /** @type {?} */ start = this._advance(); const /** @type {?} */ exp = this._collectExpansionExpTokens(start); if (!exp) return null; const /** @type {?} */ end = this._advance(); exp.push(new Token$1(TokenType$1.EOF, [], end.sourceSpan)); // parse everything in between { and } const /** @type {?} */ parsedExp = new _TreeBuilder(exp, this.getTagDefinition).build(); if (parsedExp.errors.length > 0) { this._errors = this._errors.concat(/** @type {?} */ (parsedExp.errors)); return null; } const /** @type {?} */ sourceSpan = new ParseSourceSpan(value.sourceSpan.start, end.sourceSpan.end); const /** @type {?} */ expSourceSpan = new ParseSourceSpan(start.sourceSpan.start, end.sourceSpan.end); return new ExpansionCase(value.parts[0], parsedExp.rootNodes, sourceSpan, value.sourceSpan, expSourceSpan); } /** * @param {?} start * @return {?} */ _collectExpansionExpTokens(start) { const /** @type {?} */ exp = []; const /** @type {?} */ expansionFormStack = [TokenType$1.EXPANSION_CASE_EXP_START]; while (true) { if (this._peek.type === TokenType$1.EXPANSION_FORM_START || this._peek.type === TokenType$1.EXPANSION_CASE_EXP_START) { expansionFormStack.push(this._peek.type); } if (this._peek.type === TokenType$1.EXPANSION_CASE_EXP_END) { if (lastOnStack(expansionFormStack, TokenType$1.EXPANSION_CASE_EXP_START)) { expansionFormStack.pop(); if (expansionFormStack.length == 0) return exp; } else { this._errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`)); return null; } } if (this._peek.type === TokenType$1.EXPANSION_FORM_END) { if (lastOnStack(expansionFormStack, TokenType$1.EXPANSION_FORM_START)) { expansionFormStack.pop(); } else { this._errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`)); return null; } } if (this._peek.type === TokenType$1.EOF) { this._errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`)); return null; } exp.push(this._advance()); } } /** * @param {?} token * @return {?} */ _consumeText(token) { let /** @type {?} */ text = token.parts[0]; if (text.length > 0 && text[0] == '\n') { const /** @type {?} */ parent = this._getParentElement(); if (parent != null && parent.children.length == 0 && this.getTagDefinition(parent.name).ignoreFirstLf) { text = text.substring(1); } } if (text.length > 0) { this._addToParent(new Text(text, token.sourceSpan)); } } /** * @return {?} */ _closeVoidElement() { const /** @type {?} */ el = this._getParentElement(); if (el && this.getTagDefinition(el.name).isVoid) { this._elementStack.pop(); } } /** * @param {?} startTagToken * @return {?} */ _consumeStartTag(startTagToken) { const /** @type {?} */ prefix = startTagToken.parts[0]; const /** @type {?} */ name = startTagToken.parts[1]; const /** @type {?} */ attrs = []; while (this._peek.type === TokenType$1.ATTR_NAME) { attrs.push(this._consumeAttr(this._advance())); } const /** @type {?} */ fullName = this._getElementFullName(prefix, name, this._getParentElement()); let /** @type {?} */ selfClosing = false; // Note: There could have been a tokenizer error // so that we don't get a token for the end tag... if (this._peek.type === TokenType$1.TAG_OPEN_END_VOID) { this._advance(); selfClosing = true; const /** @type {?} */ tagDef = this.getTagDefinition(fullName); if (!(tagDef.canSelfClose || getNsPrefix(fullName) !== null || tagDef.isVoid)) { this._errors.push(TreeError.create(fullName, startTagToken.sourceSpan, `Only void and foreign elements can be self closed "${startTagToken.parts[1]}"`)); } } else if (this._peek.type === TokenType$1.TAG_OPEN_END) { this._advance(); selfClosing = false; } const /** @type {?} */ end = this._peek.sourceSpan.start; const /** @type {?} */ span = new ParseSourceSpan(startTagToken.sourceSpan.start, end); const /** @type {?} */ el = new Element(fullName, attrs, [], span, span, undefined); this._pushElement(el); if (selfClosing) { this._popElement(fullName); el.endSourceSpan = span; } } /** * @param {?} el * @return {?} */ _pushElement(el) { const /** @type {?} */ parentEl = this._getParentElement(); if (parentEl && this.getTagDefinition(parentEl.name).isClosedByChild(el.name)) { this._elementStack.pop(); } const /** @type {?} */ tagDef = this.getTagDefinition(el.name); const { parent, container } = this._getParentElementSkippingContainers(); if (parent && tagDef.requireExtraParent(parent.name)) { const /** @type {?} */ newParent = new Element(tagDef.parentToAdd, [], [], el.sourceSpan, el.startSourceSpan, el.endSourceSpan); this._insertBeforeContainer(parent, container, newParent); } this._addToParent(el); this._elementStack.push(el); } /** * @param {?} endTagToken * @return {?} */ _consumeEndTag(endTagToken) { const /** @type {?} */ fullName = this._getElementFullName(endTagToken.parts[0], endTagToken.parts[1], this._getParentElement()); if (this._getParentElement()) { /** @type {?} */ ((this._getParentElement())).endSourceSpan = endTagToken.sourceSpan; } if (this.getTagDefinition(fullName).isVoid) { this._errors.push(TreeError.create(fullName, endTagToken.sourceSpan, `Void elements do not have end tags "${endTagToken.parts[1]}"`)); } else if (!this._popElement(fullName)) { const /** @type {?} */ errMsg = `Unexpected closing tag "${fullName}". It may happen when the tag has already been closed by another tag. For more info see https://www.w3.org/TR/html5/syntax.html#closing-elements-that-have-implied-end-tags`; this._errors.push(TreeError.create(fullName, endTagToken.sourceSpan, errMsg)); } } /** * @param {?} fullName * @return {?} */ _popElement(fullName) { for (let /** @type {?} */ stackIndex = this._elementStack.length - 1; stackIndex >= 0; stackIndex--) { const /** @type {?} */ el = this._elementStack[stackIndex]; if (el.name == fullName) { this._elementStack.splice(stackIndex, this._elementStack.length - stackIndex); return true; } if (!this.getTagDefinition(el.name).closedByParent) { return false; } } return false; } /** * @param {?} attrName * @return {?} */ _consumeAttr(attrName) { const /** @type {?} */ fullName = mergeNsAndName(attrName.parts[0], attrName.parts[1]); let /** @type {?} */ end = attrName.sourceSpan.end; let /** @type {?} */ value = ''; let /** @type {?} */ valueSpan = /** @type {?} */ ((undefined)); if (this._peek.type === TokenType$1.ATTR_VALUE) { const /** @type {?} */ valueToken = this._advance(); value = valueToken.parts[0]; end = valueToken.sourceSpan.end; valueSpan = valueToken.sourceSpan; } return new Attribute$1(fullName, value, new ParseSourceSpan(attrName.sourceSpan.start, end), valueSpan); } /** * @return {?} */ _getParentElement() { return this._elementStack.length > 0 ? this._elementStack[this._elementStack.length - 1] : null; } /** * Returns the parent in the DOM and the container. * * `` elements are skipped as they are not rendered as DOM element. * @return {?} */ _getParentElementSkippingContainers() { let /** @type {?} */ container = null; for (let /** @type {?} */ i = this._elementStack.length - 1; i >= 0; i--) { if (!isNgContainer(this._elementStack[i].name)) { return { parent: this._elementStack[i], container }; } container = this._elementStack[i]; } return { parent: null, container }; } /** * @param {?} node * @return {?} */ _addToParent(node) { const /** @type {?} */ parent = this._getParentElement(); if (parent != null) { parent.children.push(node); } else { this._rootNodes.push(node); } } /** * Insert a node between the parent and the container. * When no container is given, the node is appended as a child of the parent. * Also updates the element stack accordingly. * * \@internal * @param {?} parent * @param {?} container * @param {?} node * @return {?} */ _insertBeforeContainer(parent, container, node) { if (!container) { this._addToParent(node); this._elementStack.push(node); } else { if (parent) { // replace the container with the new node in the children const /** @type {?} */ index = parent.children.indexOf(container); parent.children[index] = node; } else { this._rootNodes.push(node); } node.children.push(container); this._elementStack.splice(this._elementStack.indexOf(container), 0, node); } } /** * @param {?} prefix * @param {?} localName * @param {?} parentElement * @return {?} */ _getElementFullName(prefix, localName, parentElement) { if (prefix == null) { prefix = /** @type {?} */ ((this.getTagDefinition(localName).implicitNamespacePrefix)); if (prefix == null && parentElement != null) { prefix = getNsPrefix(parentElement.name); } } return mergeNsAndName(prefix, localName); } } /** * @param {?} stack * @param {?} element * @return {?} */ function lastOnStack(stack, element) { return stack.length > 0 && stack[stack.length - 1] === element; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @param {?} message * @return {?} */ function digest(message) { return message.id || sha1(serializeNodes(message.nodes).join('') + `[${message.meaning}]`); } /** * @param {?} message * @return {?} */ function decimalDigest(message) { if (message.id) { return message.id; } const /** @type {?} */ visitor = new _SerializerIgnoreIcuExpVisitor(); const /** @type {?} */ parts = message.nodes.map(a => a.visit(visitor, null)); return computeMsgId(parts.join(''), message.meaning); } /** * Serialize the i18n ast to something xml-like in order to generate an UID. * * The visitor is also used in the i18n parser tests * * \@internal */ class _SerializerVisitor { /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { return text.value; } /** * @param {?} container * @param {?} context * @return {?} */ visitContainer(container, context) { return `[${container.children.map(child => child.visit(this)).join(', ')}]`; } /** * @param {?} icu * @param {?} context * @return {?} */ visitIcu(icu, context) { const /** @type {?} */ strCases = Object.keys(icu.cases).map((k) => `${k} {${icu.cases[k].visit(this)}}`); return `{${icu.expression}, ${icu.type}, ${strCases.join(', ')}}`; } /** * @param {?} ph * @param {?} context * @return {?} */ visitTagPlaceholder(ph, context) { return ph.isVoid ? `` : `${ph.children.map(child => child.visit(this)).join(', ')}`; } /** * @param {?} ph * @param {?} context * @return {?} */ visitPlaceholder(ph, context) { return ph.value ? `${ph.value}` : ``; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { return `${ph.value.visit(this)}`; } } const serializerVisitor = new _SerializerVisitor(); /** * @param {?} nodes * @return {?} */ function serializeNodes(nodes) { return nodes.map(a => a.visit(serializerVisitor, null)); } /** * Serialize the i18n ast to something xml-like in order to generate an UID. * * Ignore the ICU expressions so that message IDs stays identical if only the expression changes. * * \@internal */ class _SerializerIgnoreIcuExpVisitor extends _SerializerVisitor { /** * @param {?} icu * @param {?} context * @return {?} */ visitIcu(icu, context) { let /** @type {?} */ strCases = Object.keys(icu.cases).map((k) => `${k} {${icu.cases[k].visit(this)}}`); // Do not take the expression into account return `{${icu.type}, ${strCases.join(', ')}}`; } } /** * Compute the SHA1 of the given string * * see http://csrc.nist.gov/publications/fips/fips180-4/fips-180-4.pdf * * WARNING: this function has not been designed not tested with security in mind. * DO NOT USE IT IN A SECURITY SENSITIVE CONTEXT. * @param {?} str * @return {?} */ function sha1(str) { const /** @type {?} */ utf8 = utf8Encode(str); const /** @type {?} */ words32 = stringToWords32(utf8, Endian.Big); const /** @type {?} */ len = utf8.length * 8; const /** @type {?} */ w = new Array(80); let [a, b, c, d, e] = [0x67452301, 0xefcdab89, 0x98badcfe, 0x10325476, 0xc3d2e1f0]; words32[len >> 5] |= 0x80 << (24 - len % 32); words32[((len + 64 >> 9) << 4) + 15] = len; for (let /** @type {?} */ i = 0; i < words32.length; i += 16) { const [h0, h1, h2, h3, h4] = [a, b, c, d, e]; for (let /** @type {?} */ j = 0; j < 80; j++) { if (j < 16) { w[j] = words32[i + j]; } else { w[j] = rol32(w[j - 3] ^ w[j - 8] ^ w[j - 14] ^ w[j - 16], 1); } const [f, k] = fk(j, b, c, d); const /** @type {?} */ temp = [rol32(a, 5), f, e, k, w[j]].reduce(add32); [e, d, c, b, a] = [d, c, rol32(b, 30), a, temp]; } [a, b, c, d, e] = [add32(a, h0), add32(b, h1), add32(c, h2), add32(d, h3), add32(e, h4)]; } return byteStringToHexString(words32ToByteString([a, b, c, d, e])); } /** * @param {?} index * @param {?} b * @param {?} c * @param {?} d * @return {?} */ function fk(index, b, c, d) { if (index < 20) { return [(b & c) | (~b & d), 0x5a827999]; } if (index < 40) { return [b ^ c ^ d, 0x6ed9eba1]; } if (index < 60) { return [(b & c) | (b & d) | (c & d), 0x8f1bbcdc]; } return [b ^ c ^ d, 0xca62c1d6]; } /** * Compute the fingerprint of the given string * * The output is 64 bit number encoded as a decimal string * * based on: * https://github.com/google/closure-compiler/blob/master/src/com/google/javascript/jscomp/GoogleJsMessageIdGenerator.java * @param {?} str * @return {?} */ function fingerprint(str) { const /** @type {?} */ utf8 = utf8Encode(str); let [hi, lo] = [hash32(utf8, 0), hash32(utf8, 102072)]; if (hi == 0 && (lo == 0 || lo == 1)) { hi = hi ^ 0x130f9bef; lo = lo ^ -0x6b5f56d8; } return [hi, lo]; } /** * @param {?} msg * @param {?} meaning * @return {?} */ function computeMsgId(msg, meaning) { let [hi, lo] = fingerprint(msg); if (meaning) { const [him, lom] = fingerprint(meaning); [hi, lo] = add64(rol64([hi, lo], 1), [him, lom]); } return byteStringToDecString(words32ToByteString([hi & 0x7fffffff, lo])); } /** * @param {?} str * @param {?} c * @return {?} */ function hash32(str, c) { let [a, b] = [0x9e3779b9, 0x9e3779b9]; let /** @type {?} */ i; const /** @type {?} */ len = str.length; for (i = 0; i + 12 <= len; i += 12) { a = add32(a, wordAt(str, i, Endian.Little)); b = add32(b, wordAt(str, i + 4, Endian.Little)); c = add32(c, wordAt(str, i + 8, Endian.Little)); [a, b, c] = mix([a, b, c]); } a = add32(a, wordAt(str, i, Endian.Little)); b = add32(b, wordAt(str, i + 4, Endian.Little)); // the first byte of c is reserved for the length c = add32(c, len); c = add32(c, wordAt(str, i + 8, Endian.Little) << 8); return mix([a, b, c])[2]; } /** * @param {?} __0 * @return {?} */ function mix([a, b, c]) { a = sub32(a, b); a = sub32(a, c); a ^= c >>> 13; b = sub32(b, c); b = sub32(b, a); b ^= a << 8; c = sub32(c, a); c = sub32(c, b); c ^= b >>> 13; a = sub32(a, b); a = sub32(a, c); a ^= c >>> 12; b = sub32(b, c); b = sub32(b, a); b ^= a << 16; c = sub32(c, a); c = sub32(c, b); c ^= b >>> 5; a = sub32(a, b); a = sub32(a, c); a ^= c >>> 3; b = sub32(b, c); b = sub32(b, a); b ^= a << 10; c = sub32(c, a); c = sub32(c, b); c ^= b >>> 15; return [a, b, c]; } /** @enum {number} */ const Endian = { Little: 0, Big: 1, }; Endian[Endian.Little] = "Little"; Endian[Endian.Big] = "Big"; /** * @param {?} a * @param {?} b * @return {?} */ function add32(a, b) { return add32to64(a, b)[1]; } /** * @param {?} a * @param {?} b * @return {?} */ function add32to64(a, b) { const /** @type {?} */ low = (a & 0xffff) + (b & 0xffff); const /** @type {?} */ high = (a >>> 16) + (b >>> 16) + (low >>> 16); return [high >>> 16, (high << 16) | (low & 0xffff)]; } /** * @param {?} __0 * @param {?} __1 * @return {?} */ function add64([ah, al], [bh, bl]) { const [carry, l] = add32to64(al, bl); const /** @type {?} */ h = add32(add32(ah, bh), carry); return [h, l]; } /** * @param {?} a * @param {?} b * @return {?} */ function sub32(a, b) { const /** @type {?} */ low = (a & 0xffff) - (b & 0xffff); const /** @type {?} */ high = (a >> 16) - (b >> 16) + (low >> 16); return (high << 16) | (low & 0xffff); } /** * @param {?} a * @param {?} count * @return {?} */ function rol32(a, count) { return (a << count) | (a >>> (32 - count)); } /** * @param {?} __0 * @param {?} count * @return {?} */ function rol64([hi, lo], count) { const /** @type {?} */ h = (hi << count) | (lo >>> (32 - count)); const /** @type {?} */ l = (lo << count) | (hi >>> (32 - count)); return [h, l]; } /** * @param {?} str * @param {?} endian * @return {?} */ function stringToWords32(str, endian) { const /** @type {?} */ words32 = Array((str.length + 3) >>> 2); for (let /** @type {?} */ i = 0; i < words32.length; i++) { words32[i] = wordAt(str, i * 4, endian); } return words32; } /** * @param {?} str * @param {?} index * @return {?} */ function byteAt(str, index) { return index >= str.length ? 0 : str.charCodeAt(index) & 0xff; } /** * @param {?} str * @param {?} index * @param {?} endian * @return {?} */ function wordAt(str, index, endian) { let /** @type {?} */ word = 0; if (endian === Endian.Big) { for (let /** @type {?} */ i = 0; i < 4; i++) { word += byteAt(str, index + i) << (24 - 8 * i); } } else { for (let /** @type {?} */ i = 0; i < 4; i++) { word += byteAt(str, index + i) << 8 * i; } } return word; } /** * @param {?} words32 * @return {?} */ function words32ToByteString(words32) { return words32.reduce((str, word) => str + word32ToByteString(word), ''); } /** * @param {?} word * @return {?} */ function word32ToByteString(word) { let /** @type {?} */ str = ''; for (let /** @type {?} */ i = 0; i < 4; i++) { str += String.fromCharCode((word >>> 8 * (3 - i)) & 0xff); } return str; } /** * @param {?} str * @return {?} */ function byteStringToHexString(str) { let /** @type {?} */ hex = ''; for (let /** @type {?} */ i = 0; i < str.length; i++) { const /** @type {?} */ b = byteAt(str, i); hex += (b >>> 4).toString(16) + (b & 0x0f).toString(16); } return hex.toLowerCase(); } /** * @param {?} str * @return {?} */ function byteStringToDecString(str) { let /** @type {?} */ decimal = ''; let /** @type {?} */ toThePower = '1'; for (let /** @type {?} */ i = str.length - 1; i >= 0; i--) { decimal = addBigInt(decimal, numberTimesBigInt(byteAt(str, i), toThePower)); toThePower = numberTimesBigInt(256, toThePower); } return decimal.split('').reverse().join(''); } /** * @param {?} x * @param {?} y * @return {?} */ function addBigInt(x, y) { let /** @type {?} */ sum = ''; const /** @type {?} */ len = Math.max(x.length, y.length); for (let /** @type {?} */ i = 0, /** @type {?} */ carry = 0; i < len || carry; i++) { const /** @type {?} */ tmpSum = carry + +(x[i] || 0) + +(y[i] || 0); if (tmpSum >= 10) { carry = 1; sum += tmpSum - 10; } else { carry = 0; sum += tmpSum; } } return sum; } /** * @param {?} num * @param {?} b * @return {?} */ function numberTimesBigInt(num, b) { let /** @type {?} */ product = ''; let /** @type {?} */ bToThePower = b; for (; num !== 0; num = num >>> 1) { if (num & 1) product = addBigInt(product, bToThePower); bToThePower = addBigInt(bToThePower, bToThePower); } return product; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class Message { /** * @param {?} nodes message AST * @param {?} placeholders maps placeholder names to static content * @param {?} placeholderToMessage maps placeholder names to messages (used for nested ICU messages) * @param {?} meaning * @param {?} description * @param {?} id */ constructor(nodes, placeholders, placeholderToMessage, meaning, description, id) { this.nodes = nodes; this.placeholders = placeholders; this.placeholderToMessage = placeholderToMessage; this.meaning = meaning; this.description = description; this.id = id; if (nodes.length) { this.sources = [{ filePath: nodes[0].sourceSpan.start.file.url, startLine: nodes[0].sourceSpan.start.line + 1, startCol: nodes[0].sourceSpan.start.col + 1, endLine: nodes[nodes.length - 1].sourceSpan.end.line + 1, endCol: nodes[0].sourceSpan.start.col + 1 }]; } else { this.sources = []; } } } /** * @record */ /** * @record */ class Text$1 { /** * @param {?} value * @param {?} sourceSpan */ constructor(value, sourceSpan) { this.value = value; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context) { return visitor.visitText(this, context); } } class Container { /** * @param {?} children * @param {?} sourceSpan */ constructor(children, sourceSpan) { this.children = children; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context) { return visitor.visitContainer(this, context); } } class Icu { /** * @param {?} expression * @param {?} type * @param {?} cases * @param {?} sourceSpan */ constructor(expression, type, cases, sourceSpan) { this.expression = expression; this.type = type; this.cases = cases; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context) { return visitor.visitIcu(this, context); } } class TagPlaceholder { /** * @param {?} tag * @param {?} attrs * @param {?} startName * @param {?} closeName * @param {?} children * @param {?} isVoid * @param {?} sourceSpan */ constructor(tag, attrs, startName, closeName, children, isVoid, sourceSpan) { this.tag = tag; this.attrs = attrs; this.startName = startName; this.closeName = closeName; this.children = children; this.isVoid = isVoid; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context) { return visitor.visitTagPlaceholder(this, context); } } class Placeholder { /** * @param {?} value * @param {?} name * @param {?} sourceSpan */ constructor(value, name, sourceSpan) { this.value = value; this.name = name; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context) { return visitor.visitPlaceholder(this, context); } } class IcuPlaceholder { /** * @param {?} value * @param {?} name * @param {?} sourceSpan */ constructor(value, name, sourceSpan) { this.value = value; this.name = name; this.sourceSpan = sourceSpan; } /** * @param {?} visitor * @param {?=} context * @return {?} */ visit(visitor, context) { return visitor.visitIcuPlaceholder(this, context); } } /** * @record */ class CloneVisitor { /** * @param {?} text * @param {?=} context * @return {?} */ visitText(text, context) { return new Text$1(text.value, text.sourceSpan); } /** * @param {?} container * @param {?=} context * @return {?} */ visitContainer(container, context) { const /** @type {?} */ children = container.children.map(n => n.visit(this, context)); return new Container(children, container.sourceSpan); } /** * @param {?} icu * @param {?=} context * @return {?} */ visitIcu(icu, context) { const /** @type {?} */ cases = {}; Object.keys(icu.cases).forEach(key => cases[key] = icu.cases[key].visit(this, context)); const /** @type {?} */ msg = new Icu(icu.expression, icu.type, cases, icu.sourceSpan); msg.expressionPlaceholder = icu.expressionPlaceholder; return msg; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitTagPlaceholder(ph, context) { const /** @type {?} */ children = ph.children.map(n => n.visit(this, context)); return new TagPlaceholder(ph.tag, ph.attrs, ph.startName, ph.closeName, children, ph.isVoid, ph.sourceSpan); } /** * @param {?} ph * @param {?=} context * @return {?} */ visitPlaceholder(ph, context) { return new Placeholder(ph.value, ph.name, ph.sourceSpan); } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { return new IcuPlaceholder(ph.value, ph.name, ph.sourceSpan); } } class RecurseVisitor { /** * @param {?} text * @param {?=} context * @return {?} */ visitText(text, context) { } /** * @param {?} container * @param {?=} context * @return {?} */ visitContainer(container, context) { container.children.forEach(child => child.visit(this)); } /** * @param {?} icu * @param {?=} context * @return {?} */ visitIcu(icu, context) { Object.keys(icu.cases).forEach(k => { icu.cases[k].visit(this); }); } /** * @param {?} ph * @param {?=} context * @return {?} */ visitTagPlaceholder(ph, context) { ph.children.forEach(child => child.visit(this)); } /** * @param {?} ph * @param {?=} context * @return {?} */ visitPlaceholder(ph, context) { } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class HtmlTagDefinition { /** * @param {?=} __0 */ constructor({ closedByChildren, requiredParents, implicitNamespacePrefix, contentType = TagContentType.PARSABLE_DATA, closedByParent = false, isVoid = false, ignoreFirstLf = false } = {}) { this.closedByChildren = {}; this.closedByParent = false; this.canSelfClose = false; if (closedByChildren && closedByChildren.length > 0) { closedByChildren.forEach(tagName => this.closedByChildren[tagName] = true); } this.isVoid = isVoid; this.closedByParent = closedByParent || isVoid; if (requiredParents && requiredParents.length > 0) { this.requiredParents = {}; // The first parent is the list is automatically when none of the listed parents are present this.parentToAdd = requiredParents[0]; requiredParents.forEach(tagName => this.requiredParents[tagName] = true); } this.implicitNamespacePrefix = implicitNamespacePrefix || null; this.contentType = contentType; this.ignoreFirstLf = ignoreFirstLf; } /** * @param {?} currentParent * @return {?} */ requireExtraParent(currentParent) { if (!this.requiredParents) { return false; } if (!currentParent) { return true; } const /** @type {?} */ lcParent = currentParent.toLowerCase(); const /** @type {?} */ isParentTemplate = lcParent === 'template' || currentParent === 'ng-template'; return !isParentTemplate && this.requiredParents[lcParent] != true; } /** * @param {?} name * @return {?} */ isClosedByChild(name) { return this.isVoid || name.toLowerCase() in this.closedByChildren; } } // see http://www.w3.org/TR/html51/syntax.html#optional-tags // This implementation does not fully conform to the HTML5 spec. const TAG_DEFINITIONS = { 'base': new HtmlTagDefinition({ isVoid: true }), 'meta': new HtmlTagDefinition({ isVoid: true }), 'area': new HtmlTagDefinition({ isVoid: true }), 'embed': new HtmlTagDefinition({ isVoid: true }), 'link': new HtmlTagDefinition({ isVoid: true }), 'img': new HtmlTagDefinition({ isVoid: true }), 'input': new HtmlTagDefinition({ isVoid: true }), 'param': new HtmlTagDefinition({ isVoid: true }), 'hr': new HtmlTagDefinition({ isVoid: true }), 'br': new HtmlTagDefinition({ isVoid: true }), 'source': new HtmlTagDefinition({ isVoid: true }), 'track': new HtmlTagDefinition({ isVoid: true }), 'wbr': new HtmlTagDefinition({ isVoid: true }), 'p': new HtmlTagDefinition({ closedByChildren: [ 'address', 'article', 'aside', 'blockquote', 'div', 'dl', 'fieldset', 'footer', 'form', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'header', 'hgroup', 'hr', 'main', 'nav', 'ol', 'p', 'pre', 'section', 'table', 'ul' ], closedByParent: true }), 'thead': new HtmlTagDefinition({ closedByChildren: ['tbody', 'tfoot'] }), 'tbody': new HtmlTagDefinition({ closedByChildren: ['tbody', 'tfoot'], closedByParent: true }), 'tfoot': new HtmlTagDefinition({ closedByChildren: ['tbody'], closedByParent: true }), 'tr': new HtmlTagDefinition({ closedByChildren: ['tr'], requiredParents: ['tbody', 'tfoot', 'thead'], closedByParent: true }), 'td': new HtmlTagDefinition({ closedByChildren: ['td', 'th'], closedByParent: true }), 'th': new HtmlTagDefinition({ closedByChildren: ['td', 'th'], closedByParent: true }), 'col': new HtmlTagDefinition({ requiredParents: ['colgroup'], isVoid: true }), 'svg': new HtmlTagDefinition({ implicitNamespacePrefix: 'svg' }), 'math': new HtmlTagDefinition({ implicitNamespacePrefix: 'math' }), 'li': new HtmlTagDefinition({ closedByChildren: ['li'], closedByParent: true }), 'dt': new HtmlTagDefinition({ closedByChildren: ['dt', 'dd'] }), 'dd': new HtmlTagDefinition({ closedByChildren: ['dt', 'dd'], closedByParent: true }), 'rb': new HtmlTagDefinition({ closedByChildren: ['rb', 'rt', 'rtc', 'rp'], closedByParent: true }), 'rt': new HtmlTagDefinition({ closedByChildren: ['rb', 'rt', 'rtc', 'rp'], closedByParent: true }), 'rtc': new HtmlTagDefinition({ closedByChildren: ['rb', 'rtc', 'rp'], closedByParent: true }), 'rp': new HtmlTagDefinition({ closedByChildren: ['rb', 'rt', 'rtc', 'rp'], closedByParent: true }), 'optgroup': new HtmlTagDefinition({ closedByChildren: ['optgroup'], closedByParent: true }), 'option': new HtmlTagDefinition({ closedByChildren: ['option', 'optgroup'], closedByParent: true }), 'pre': new HtmlTagDefinition({ ignoreFirstLf: true }), 'listing': new HtmlTagDefinition({ ignoreFirstLf: true }), 'style': new HtmlTagDefinition({ contentType: TagContentType.RAW_TEXT }), 'script': new HtmlTagDefinition({ contentType: TagContentType.RAW_TEXT }), 'title': new HtmlTagDefinition({ contentType: TagContentType.ESCAPABLE_RAW_TEXT }), 'textarea': new HtmlTagDefinition({ contentType: TagContentType.ESCAPABLE_RAW_TEXT, ignoreFirstLf: true }), }; const _DEFAULT_TAG_DEFINITION = new HtmlTagDefinition(); /** * @param {?} tagName * @return {?} */ function getHtmlTagDefinition(tagName) { return TAG_DEFINITIONS[tagName.toLowerCase()] || _DEFAULT_TAG_DEFINITION; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const TAG_TO_PLACEHOLDER_NAMES = { 'A': 'LINK', 'B': 'BOLD_TEXT', 'BR': 'LINE_BREAK', 'EM': 'EMPHASISED_TEXT', 'H1': 'HEADING_LEVEL1', 'H2': 'HEADING_LEVEL2', 'H3': 'HEADING_LEVEL3', 'H4': 'HEADING_LEVEL4', 'H5': 'HEADING_LEVEL5', 'H6': 'HEADING_LEVEL6', 'HR': 'HORIZONTAL_RULE', 'I': 'ITALIC_TEXT', 'LI': 'LIST_ITEM', 'LINK': 'MEDIA_LINK', 'OL': 'ORDERED_LIST', 'P': 'PARAGRAPH', 'Q': 'QUOTATION', 'S': 'STRIKETHROUGH_TEXT', 'SMALL': 'SMALL_TEXT', 'SUB': 'SUBSTRIPT', 'SUP': 'SUPERSCRIPT', 'TBODY': 'TABLE_BODY', 'TD': 'TABLE_CELL', 'TFOOT': 'TABLE_FOOTER', 'TH': 'TABLE_HEADER_CELL', 'THEAD': 'TABLE_HEADER', 'TR': 'TABLE_ROW', 'TT': 'MONOSPACED_TEXT', 'U': 'UNDERLINED_TEXT', 'UL': 'UNORDERED_LIST', }; /** * Creates unique names for placeholder with different content. * * Returns the same placeholder name when the content is identical. */ class PlaceholderRegistry { constructor() { this._placeHolderNameCounts = {}; this._signatureToName = {}; } /** * @param {?} tag * @param {?} attrs * @param {?} isVoid * @return {?} */ getStartTagPlaceholderName(tag, attrs, isVoid) { const /** @type {?} */ signature = this._hashTag(tag, attrs, isVoid); if (this._signatureToName[signature]) { return this._signatureToName[signature]; } const /** @type {?} */ upperTag = tag.toUpperCase(); const /** @type {?} */ baseName = TAG_TO_PLACEHOLDER_NAMES[upperTag] || `TAG_${upperTag}`; const /** @type {?} */ name = this._generateUniqueName(isVoid ? baseName : `START_${baseName}`); this._signatureToName[signature] = name; return name; } /** * @param {?} tag * @return {?} */ getCloseTagPlaceholderName(tag) { const /** @type {?} */ signature = this._hashClosingTag(tag); if (this._signatureToName[signature]) { return this._signatureToName[signature]; } const /** @type {?} */ upperTag = tag.toUpperCase(); const /** @type {?} */ baseName = TAG_TO_PLACEHOLDER_NAMES[upperTag] || `TAG_${upperTag}`; const /** @type {?} */ name = this._generateUniqueName(`CLOSE_${baseName}`); this._signatureToName[signature] = name; return name; } /** * @param {?} name * @param {?} content * @return {?} */ getPlaceholderName(name, content) { const /** @type {?} */ upperName = name.toUpperCase(); const /** @type {?} */ signature = `PH: ${upperName}=${content}`; if (this._signatureToName[signature]) { return this._signatureToName[signature]; } const /** @type {?} */ uniqueName = this._generateUniqueName(upperName); this._signatureToName[signature] = uniqueName; return uniqueName; } /** * @param {?} name * @return {?} */ getUniquePlaceholder(name) { return this._generateUniqueName(name.toUpperCase()); } /** * @param {?} tag * @param {?} attrs * @param {?} isVoid * @return {?} */ _hashTag(tag, attrs, isVoid) { const /** @type {?} */ start = `<${tag}`; const /** @type {?} */ strAttrs = Object.keys(attrs).sort().map((name) => ` ${name}=${attrs[name]}`).join(''); const /** @type {?} */ end = isVoid ? '/>' : `>`; return start + strAttrs + end; } /** * @param {?} tag * @return {?} */ _hashClosingTag(tag) { return this._hashTag(`/${tag}`, {}, false); } /** * @param {?} base * @return {?} */ _generateUniqueName(base) { const /** @type {?} */ seen = this._placeHolderNameCounts.hasOwnProperty(base); if (!seen) { this._placeHolderNameCounts[base] = 1; return base; } const /** @type {?} */ id = this._placeHolderNameCounts[base]; this._placeHolderNameCounts[base] = id + 1; return `${base}_${id}`; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _expParser = new Parser(new Lexer()); /** * Returns a function converting html nodes to an i18n Message given an interpolationConfig * @param {?} interpolationConfig * @return {?} */ function createI18nMessageFactory(interpolationConfig) { const /** @type {?} */ visitor = new _I18nVisitor(_expParser, interpolationConfig); return (nodes, meaning, description, id) => visitor.toI18nMessage(nodes, meaning, description, id); } class _I18nVisitor { /** * @param {?} _expressionParser * @param {?} _interpolationConfig */ constructor(_expressionParser, _interpolationConfig) { this._expressionParser = _expressionParser; this._interpolationConfig = _interpolationConfig; } /** * @param {?} nodes * @param {?} meaning * @param {?} description * @param {?} id * @return {?} */ toI18nMessage(nodes, meaning, description, id) { this._isIcu = nodes.length == 1 && nodes[0] instanceof Expansion; this._icuDepth = 0; this._placeholderRegistry = new PlaceholderRegistry(); this._placeholderToContent = {}; this._placeholderToMessage = {}; const /** @type {?} */ i18nodes = visitAll(this, nodes, {}); return new Message(i18nodes, this._placeholderToContent, this._placeholderToMessage, meaning, description, id); } /** * @param {?} el * @param {?} context * @return {?} */ visitElement(el, context) { const /** @type {?} */ children = visitAll(this, el.children); const /** @type {?} */ attrs = {}; el.attrs.forEach(attr => { // Do not visit the attributes, translatable ones are top-level ASTs attrs[attr.name] = attr.value; }); const /** @type {?} */ isVoid = getHtmlTagDefinition(el.name).isVoid; const /** @type {?} */ startPhName = this._placeholderRegistry.getStartTagPlaceholderName(el.name, attrs, isVoid); this._placeholderToContent[startPhName] = /** @type {?} */ ((el.sourceSpan)).toString(); let /** @type {?} */ closePhName = ''; if (!isVoid) { closePhName = this._placeholderRegistry.getCloseTagPlaceholderName(el.name); this._placeholderToContent[closePhName] = ``; } return new TagPlaceholder(el.name, attrs, startPhName, closePhName, children, isVoid, /** @type {?} */ ((el.sourceSpan))); } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { return this._visitTextWithInterpolation(attribute.value, attribute.sourceSpan); } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { return this._visitTextWithInterpolation(text.value, /** @type {?} */ ((text.sourceSpan))); } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { return null; } /** * @param {?} icu * @param {?} context * @return {?} */ visitExpansion(icu, context) { this._icuDepth++; const /** @type {?} */ i18nIcuCases = {}; const /** @type {?} */ i18nIcu = new Icu(icu.switchValue, icu.type, i18nIcuCases, icu.sourceSpan); icu.cases.forEach((caze) => { i18nIcuCases[caze.value] = new Container(caze.expression.map((node) => node.visit(this, {})), caze.expSourceSpan); }); this._icuDepth--; if (this._isIcu || this._icuDepth > 0) { // Returns an ICU node when: // - the message (vs a part of the message) is an ICU message, or // - the ICU message is nested. const /** @type {?} */ expPh = this._placeholderRegistry.getUniquePlaceholder(`VAR_${icu.type}`); i18nIcu.expressionPlaceholder = expPh; this._placeholderToContent[expPh] = icu.switchValue; return i18nIcu; } // Else returns a placeholder // ICU placeholders should not be replaced with their original content but with the their // translations. We need to create a new visitor (they are not re-entrant) to compute the // message id. // TODO(vicb): add a html.Node -> i18n.Message cache to avoid having to re-create the msg const /** @type {?} */ phName = this._placeholderRegistry.getPlaceholderName('ICU', icu.sourceSpan.toString()); const /** @type {?} */ visitor = new _I18nVisitor(this._expressionParser, this._interpolationConfig); this._placeholderToMessage[phName] = visitor.toI18nMessage([icu], '', '', ''); return new IcuPlaceholder(i18nIcu, phName, icu.sourceSpan); } /** * @param {?} icuCase * @param {?} context * @return {?} */ visitExpansionCase(icuCase, context) { throw new Error('Unreachable code'); } /** * @param {?} text * @param {?} sourceSpan * @return {?} */ _visitTextWithInterpolation(text, sourceSpan) { const /** @type {?} */ splitInterpolation = this._expressionParser.splitInterpolation(text, sourceSpan.start.toString(), this._interpolationConfig); if (!splitInterpolation) { // No expression, return a single text return new Text$1(text, sourceSpan); } // Return a group of text + expressions const /** @type {?} */ nodes = []; const /** @type {?} */ container = new Container(nodes, sourceSpan); const { start: sDelimiter, end: eDelimiter } = this._interpolationConfig; for (let /** @type {?} */ i = 0; i < splitInterpolation.strings.length - 1; i++) { const /** @type {?} */ expression = splitInterpolation.expressions[i]; const /** @type {?} */ baseName = _extractPlaceholderName(expression) || 'INTERPOLATION'; const /** @type {?} */ phName = this._placeholderRegistry.getPlaceholderName(baseName, expression); if (splitInterpolation.strings[i].length) { // No need to add empty strings nodes.push(new Text$1(splitInterpolation.strings[i], sourceSpan)); } nodes.push(new Placeholder(expression, phName, sourceSpan)); this._placeholderToContent[phName] = sDelimiter + expression + eDelimiter; } // The last index contains no expression const /** @type {?} */ lastStringIdx = splitInterpolation.strings.length - 1; if (splitInterpolation.strings[lastStringIdx].length) { nodes.push(new Text$1(splitInterpolation.strings[lastStringIdx], sourceSpan)); } return container; } } const _CUSTOM_PH_EXP = /\/\/[\s\S]*i18n[\s\S]*\([\s\S]*ph[\s\S]*=[\s\S]*("|')([\s\S]*?)\1[\s\S]*\)/g; /** * @param {?} input * @return {?} */ function _extractPlaceholderName(input) { return input.split(_CUSTOM_PH_EXP)[2]; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * An i18n error. */ class I18nError extends ParseError { /** * @param {?} span * @param {?} msg */ constructor(span, msg) { super(span, msg); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _I18N_ATTR = 'i18n'; const _I18N_ATTR_PREFIX = 'i18n-'; const _I18N_COMMENT_PREFIX_REGEXP = /^i18n:?/; const MEANING_SEPARATOR = '|'; const ID_SEPARATOR = '@@'; let i18nCommentsWarned = false; /** * Extract translatable messages from an html AST * @param {?} nodes * @param {?} interpolationConfig * @param {?} implicitTags * @param {?} implicitAttrs * @return {?} */ function extractMessages(nodes, interpolationConfig, implicitTags, implicitAttrs) { const /** @type {?} */ visitor = new _Visitor(implicitTags, implicitAttrs); return visitor.extract(nodes, interpolationConfig); } /** * @param {?} nodes * @param {?} translations * @param {?} interpolationConfig * @param {?} implicitTags * @param {?} implicitAttrs * @return {?} */ function mergeTranslations(nodes, translations, interpolationConfig, implicitTags, implicitAttrs) { const /** @type {?} */ visitor = new _Visitor(implicitTags, implicitAttrs); return visitor.merge(nodes, translations, interpolationConfig); } class ExtractionResult { /** * @param {?} messages * @param {?} errors */ constructor(messages, errors) { this.messages = messages; this.errors = errors; } } /** @enum {number} */ const _VisitorMode = { Extract: 0, Merge: 1, }; _VisitorMode[_VisitorMode.Extract] = "Extract"; _VisitorMode[_VisitorMode.Merge] = "Merge"; /** * This Visitor is used: * 1. to extract all the translatable strings from an html AST (see `extract()`), * 2. to replace the translatable strings with the actual translations (see `merge()`) * * \@internal */ class _Visitor { /** * @param {?} _implicitTags * @param {?} _implicitAttrs */ constructor(_implicitTags, _implicitAttrs) { this._implicitTags = _implicitTags; this._implicitAttrs = _implicitAttrs; } /** * Extracts the messages from the tree * @param {?} nodes * @param {?} interpolationConfig * @return {?} */ extract(nodes, interpolationConfig) { this._init(_VisitorMode.Extract, interpolationConfig); nodes.forEach(node => node.visit(this, null)); if (this._inI18nBlock) { this._reportError(nodes[nodes.length - 1], 'Unclosed block'); } return new ExtractionResult(this._messages, this._errors); } /** * Returns a tree where all translatable nodes are translated * @param {?} nodes * @param {?} translations * @param {?} interpolationConfig * @return {?} */ merge(nodes, translations, interpolationConfig) { this._init(_VisitorMode.Merge, interpolationConfig); this._translations = translations; // Construct a single fake root element const /** @type {?} */ wrapper = new Element('wrapper', [], nodes, /** @type {?} */ ((undefined)), undefined, undefined); const /** @type {?} */ translatedNode = wrapper.visit(this, null); if (this._inI18nBlock) { this._reportError(nodes[nodes.length - 1], 'Unclosed block'); } return new ParseTreeResult(translatedNode.children, this._errors); } /** * @param {?} icuCase * @param {?} context * @return {?} */ visitExpansionCase(icuCase, context) { // Parse cases for translatable html attributes const /** @type {?} */ expression = visitAll(this, icuCase.expression, context); if (this._mode === _VisitorMode.Merge) { return new ExpansionCase(icuCase.value, expression, icuCase.sourceSpan, icuCase.valueSourceSpan, icuCase.expSourceSpan); } } /** * @param {?} icu * @param {?} context * @return {?} */ visitExpansion(icu, context) { this._mayBeAddBlockChildren(icu); const /** @type {?} */ wasInIcu = this._inIcu; if (!this._inIcu) { // nested ICU messages should not be extracted but top-level translated as a whole if (this._isInTranslatableSection) { this._addMessage([icu]); } this._inIcu = true; } const /** @type {?} */ cases = visitAll(this, icu.cases, context); if (this._mode === _VisitorMode.Merge) { icu = new Expansion(icu.switchValue, icu.type, cases, icu.sourceSpan, icu.switchValueSourceSpan); } this._inIcu = wasInIcu; return icu; } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { const /** @type {?} */ isOpening = _isOpeningComment(comment); if (isOpening && this._isInTranslatableSection) { this._reportError(comment, 'Could not start a block inside a translatable section'); return; } const /** @type {?} */ isClosing = _isClosingComment(comment); if (isClosing && !this._inI18nBlock) { this._reportError(comment, 'Trying to close an unopened block'); return; } if (!this._inI18nNode && !this._inIcu) { if (!this._inI18nBlock) { if (isOpening) { // deprecated from v5 you should use instead of i18n comments if (!i18nCommentsWarned && /** @type {?} */ (console) && /** @type {?} */ (console.warn)) { i18nCommentsWarned = true; const /** @type {?} */ details = comment.sourceSpan.details ? `, ${comment.sourceSpan.details}` : ''; // TODO(ocombe): use a log service once there is a public one available console.warn(`I18n comments are deprecated, use an element instead (${comment.sourceSpan.start}${details})`); } this._inI18nBlock = true; this._blockStartDepth = this._depth; this._blockChildren = []; this._blockMeaningAndDesc = /** @type {?} */ ((comment.value)).replace(_I18N_COMMENT_PREFIX_REGEXP, '').trim(); this._openTranslatableSection(comment); } } else { if (isClosing) { if (this._depth == this._blockStartDepth) { this._closeTranslatableSection(comment, this._blockChildren); this._inI18nBlock = false; const /** @type {?} */ message = /** @type {?} */ ((this._addMessage(this._blockChildren, this._blockMeaningAndDesc))); // merge attributes in sections const /** @type {?} */ nodes = this._translateMessage(comment, message); return visitAll(this, nodes); } else { this._reportError(comment, 'I18N blocks should not cross element boundaries'); return; } } } } } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { if (this._isInTranslatableSection) { this._mayBeAddBlockChildren(text); } return text; } /** * @param {?} el * @param {?} context * @return {?} */ visitElement(el, context) { this._mayBeAddBlockChildren(el); this._depth++; const /** @type {?} */ wasInI18nNode = this._inI18nNode; const /** @type {?} */ wasInImplicitNode = this._inImplicitNode; let /** @type {?} */ childNodes = []; let /** @type {?} */ translatedChildNodes = /** @type {?} */ ((undefined)); // Extract: // - top level nodes with the (implicit) "i18n" attribute if not already in a section // - ICU messages const /** @type {?} */ i18nAttr = _getI18nAttr(el); const /** @type {?} */ i18nMeta = i18nAttr ? i18nAttr.value : ''; const /** @type {?} */ isImplicit = this._implicitTags.some(tag => el.name === tag) && !this._inIcu && !this._isInTranslatableSection; const /** @type {?} */ isTopLevelImplicit = !wasInImplicitNode && isImplicit; this._inImplicitNode = wasInImplicitNode || isImplicit; if (!this._isInTranslatableSection && !this._inIcu) { if (i18nAttr || isTopLevelImplicit) { this._inI18nNode = true; const /** @type {?} */ message = /** @type {?} */ ((this._addMessage(el.children, i18nMeta))); translatedChildNodes = this._translateMessage(el, message); } if (this._mode == _VisitorMode.Extract) { const /** @type {?} */ isTranslatable = i18nAttr || isTopLevelImplicit; if (isTranslatable) this._openTranslatableSection(el); visitAll(this, el.children); if (isTranslatable) this._closeTranslatableSection(el, el.children); } } else { if (i18nAttr || isTopLevelImplicit) { this._reportError(el, 'Could not mark an element as translatable inside a translatable section'); } if (this._mode == _VisitorMode.Extract) { // Descend into child nodes for extraction visitAll(this, el.children); } } if (this._mode === _VisitorMode.Merge) { const /** @type {?} */ visitNodes = translatedChildNodes || el.children; visitNodes.forEach(child => { const /** @type {?} */ visited = child.visit(this, context); if (visited && !this._isInTranslatableSection) { // Do not add the children from translatable sections (= i18n blocks here) // They will be added later in this loop when the block closes (i.e. on ``) childNodes = childNodes.concat(visited); } }); } this._visitAttributesOf(el); this._depth--; this._inI18nNode = wasInI18nNode; this._inImplicitNode = wasInImplicitNode; if (this._mode === _VisitorMode.Merge) { const /** @type {?} */ translatedAttrs = this._translateAttributes(el); return new Element(el.name, translatedAttrs, childNodes, el.sourceSpan, el.startSourceSpan, el.endSourceSpan); } return null; } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { throw new Error('unreachable code'); } /** * @param {?} mode * @param {?} interpolationConfig * @return {?} */ _init(mode, interpolationConfig) { this._mode = mode; this._inI18nBlock = false; this._inI18nNode = false; this._depth = 0; this._inIcu = false; this._msgCountAtSectionStart = undefined; this._errors = []; this._messages = []; this._inImplicitNode = false; this._createI18nMessage = createI18nMessageFactory(interpolationConfig); } /** * @param {?} el * @return {?} */ _visitAttributesOf(el) { const /** @type {?} */ explicitAttrNameToValue = {}; const /** @type {?} */ implicitAttrNames = this._implicitAttrs[el.name] || []; el.attrs.filter(attr => attr.name.startsWith(_I18N_ATTR_PREFIX)) .forEach(attr => explicitAttrNameToValue[attr.name.slice(_I18N_ATTR_PREFIX.length)] = attr.value); el.attrs.forEach(attr => { if (attr.name in explicitAttrNameToValue) { this._addMessage([attr], explicitAttrNameToValue[attr.name]); } else if (implicitAttrNames.some(name => attr.name === name)) { this._addMessage([attr]); } }); } /** * @param {?} ast * @param {?=} msgMeta * @return {?} */ _addMessage(ast, msgMeta) { if (ast.length == 0 || ast.length == 1 && ast[0] instanceof Attribute$1 && !(/** @type {?} */ (ast[0])).value) { // Do not create empty messages return null; } const { meaning, description, id } = _parseMessageMeta(msgMeta); const /** @type {?} */ message = this._createI18nMessage(ast, meaning, description, id); this._messages.push(message); return message; } /** * @param {?} el * @param {?} message * @return {?} */ _translateMessage(el, message) { if (message && this._mode === _VisitorMode.Merge) { const /** @type {?} */ nodes = this._translations.get(message); if (nodes) { return nodes; } this._reportError(el, `Translation unavailable for message id="${this._translations.digest(message)}"`); } return []; } /** * @param {?} el * @return {?} */ _translateAttributes(el) { const /** @type {?} */ attributes = el.attrs; const /** @type {?} */ i18nParsedMessageMeta = {}; attributes.forEach(attr => { if (attr.name.startsWith(_I18N_ATTR_PREFIX)) { i18nParsedMessageMeta[attr.name.slice(_I18N_ATTR_PREFIX.length)] = _parseMessageMeta(attr.value); } }); const /** @type {?} */ translatedAttributes = []; attributes.forEach((attr) => { if (attr.name === _I18N_ATTR || attr.name.startsWith(_I18N_ATTR_PREFIX)) { // strip i18n specific attributes return; } if (attr.value && attr.value != '' && i18nParsedMessageMeta.hasOwnProperty(attr.name)) { const { meaning, description, id } = i18nParsedMessageMeta[attr.name]; const /** @type {?} */ message = this._createI18nMessage([attr], meaning, description, id); const /** @type {?} */ nodes = this._translations.get(message); if (nodes) { if (nodes.length == 0) { translatedAttributes.push(new Attribute$1(attr.name, '', attr.sourceSpan)); } else if (nodes[0] instanceof Text) { const /** @type {?} */ value = (/** @type {?} */ (nodes[0])).value; translatedAttributes.push(new Attribute$1(attr.name, value, attr.sourceSpan)); } else { this._reportError(el, `Unexpected translation for attribute "${attr.name}" (id="${id || this._translations.digest(message)}")`); } } else { this._reportError(el, `Translation unavailable for attribute "${attr.name}" (id="${id || this._translations.digest(message)}")`); } } else { translatedAttributes.push(attr); } }); return translatedAttributes; } /** * Add the node as a child of the block when: * - we are in a block, * - we are not inside a ICU message (those are handled separately), * - the node is a "direct child" of the block * @param {?} node * @return {?} */ _mayBeAddBlockChildren(node) { if (this._inI18nBlock && !this._inIcu && this._depth == this._blockStartDepth) { this._blockChildren.push(node); } } /** * Marks the start of a section, see `_closeTranslatableSection` * @param {?} node * @return {?} */ _openTranslatableSection(node) { if (this._isInTranslatableSection) { this._reportError(node, 'Unexpected section start'); } else { this._msgCountAtSectionStart = this._messages.length; } } /** * A translatable section could be: * - the content of translatable element, * - nodes between `` and `` comments * @return {?} */ get _isInTranslatableSection() { return this._msgCountAtSectionStart !== void 0; } /** * Terminates a section. * * If a section has only one significant children (comments not significant) then we should not * keep the message from this children: * * `

{ICU message}

` would produce two messages: * - one for the

content with meaning and description, * - another one for the ICU message. * * In this case the last message is discarded as it contains less information (the AST is * otherwise identical). * * Note that we should still keep messages extracted from attributes inside the section (ie in the * ICU message here) * @param {?} node * @param {?} directChildren * @return {?} */ _closeTranslatableSection(node, directChildren) { if (!this._isInTranslatableSection) { this._reportError(node, 'Unexpected section end'); return; } const /** @type {?} */ startIndex = this._msgCountAtSectionStart; const /** @type {?} */ significantChildren = directChildren.reduce((count, node) => count + (node instanceof Comment ? 0 : 1), 0); if (significantChildren == 1) { for (let /** @type {?} */ i = this._messages.length - 1; i >= /** @type {?} */ ((startIndex)); i--) { const /** @type {?} */ ast = this._messages[i].nodes; if (!(ast.length == 1 && ast[0] instanceof Text$1)) { this._messages.splice(i, 1); break; } } } this._msgCountAtSectionStart = undefined; } /** * @param {?} node * @param {?} msg * @return {?} */ _reportError(node, msg) { this._errors.push(new I18nError(/** @type {?} */ ((node.sourceSpan)), msg)); } } /** * @param {?} n * @return {?} */ function _isOpeningComment(n) { return !!(n instanceof Comment && n.value && n.value.startsWith('i18n')); } /** * @param {?} n * @return {?} */ function _isClosingComment(n) { return !!(n instanceof Comment && n.value && n.value === '/i18n'); } /** * @param {?} p * @return {?} */ function _getI18nAttr(p) { return p.attrs.find(attr => attr.name === _I18N_ATTR) || null; } /** * @param {?=} i18n * @return {?} */ function _parseMessageMeta(i18n) { if (!i18n) return { meaning: '', description: '', id: '' }; const /** @type {?} */ idIndex = i18n.indexOf(ID_SEPARATOR); const /** @type {?} */ descIndex = i18n.indexOf(MEANING_SEPARATOR); const [meaningAndDesc, id] = (idIndex > -1) ? [i18n.slice(0, idIndex), i18n.slice(idIndex + 2)] : [i18n, '']; const [meaning, description] = (descIndex > -1) ? [meaningAndDesc.slice(0, descIndex), meaningAndDesc.slice(descIndex + 1)] : ['', meaningAndDesc]; return { meaning, description, id }; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class XmlTagDefinition { constructor() { this.closedByParent = false; this.contentType = TagContentType.PARSABLE_DATA; this.isVoid = false; this.ignoreFirstLf = false; this.canSelfClose = true; } /** * @param {?} currentParent * @return {?} */ requireExtraParent(currentParent) { return false; } /** * @param {?} name * @return {?} */ isClosedByChild(name) { return false; } } const _TAG_DEFINITION = new XmlTagDefinition(); /** * @param {?} tagName * @return {?} */ function getXmlTagDefinition(tagName) { return _TAG_DEFINITION; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class XmlParser extends Parser$1 { constructor() { super(getXmlTagDefinition); } /** * @param {?} source * @param {?} url * @param {?=} parseExpansionForms * @return {?} */ parse(source, url, parseExpansionForms = false) { return super.parse(source, url, parseExpansionForms); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @abstract */ class Serializer { /** * @param {?} message * @return {?} */ createNameMapper(message) { return null; } } /** * A `PlaceholderMapper` converts placeholder names from internal to serialized representation and * back. * * It should be used for serialization format that put constraints on the placeholder names. * @record */ /** * A simple mapper that take a function to transform an internal name to a public name */ class SimplePlaceholderMapper extends RecurseVisitor { /** * @param {?} message * @param {?} mapName */ constructor(message, mapName) { super(); this.mapName = mapName; this.internalToPublic = {}; this.publicToNextId = {}; this.publicToInternal = {}; message.nodes.forEach(node => node.visit(this)); } /** * @param {?} internalName * @return {?} */ toPublicName(internalName) { return this.internalToPublic.hasOwnProperty(internalName) ? this.internalToPublic[internalName] : null; } /** * @param {?} publicName * @return {?} */ toInternalName(publicName) { return this.publicToInternal.hasOwnProperty(publicName) ? this.publicToInternal[publicName] : null; } /** * @param {?} text * @param {?=} context * @return {?} */ visitText(text, context) { return null; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitTagPlaceholder(ph, context) { this.visitPlaceholderName(ph.startName); super.visitTagPlaceholder(ph, context); this.visitPlaceholderName(ph.closeName); } /** * @param {?} ph * @param {?=} context * @return {?} */ visitPlaceholder(ph, context) { this.visitPlaceholderName(ph.name); } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { this.visitPlaceholderName(ph.name); } /** * @param {?} internalName * @return {?} */ visitPlaceholderName(internalName) { if (!internalName || this.internalToPublic.hasOwnProperty(internalName)) { return; } let /** @type {?} */ publicName = this.mapName(internalName); if (this.publicToInternal.hasOwnProperty(publicName)) { // Create a new XMB when it has already been used const /** @type {?} */ nextId = this.publicToNextId[publicName]; this.publicToNextId[publicName] = nextId + 1; publicName = `${publicName}_${nextId}`; } else { this.publicToNextId[publicName] = 1; } this.internalToPublic[internalName] = publicName; this.publicToInternal[publicName] = internalName; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @record */ class _Visitor$1 { /** * @param {?} tag * @return {?} */ visitTag(tag) { const /** @type {?} */ strAttrs = this._serializeAttributes(tag.attrs); if (tag.children.length == 0) { return `<${tag.name}${strAttrs}/>`; } const /** @type {?} */ strChildren = tag.children.map(node => node.visit(this)); return `<${tag.name}${strAttrs}>${strChildren.join('')}`; } /** * @param {?} text * @return {?} */ visitText(text) { return text.value; } /** * @param {?} decl * @return {?} */ visitDeclaration(decl) { return ``; } /** * @param {?} attrs * @return {?} */ _serializeAttributes(attrs) { const /** @type {?} */ strAttrs = Object.keys(attrs).map((name) => `${name}="${attrs[name]}"`).join(' '); return strAttrs.length > 0 ? ' ' + strAttrs : ''; } /** * @param {?} doctype * @return {?} */ visitDoctype(doctype) { return ``; } } const _visitor = new _Visitor$1(); /** * @param {?} nodes * @return {?} */ function serialize(nodes) { return nodes.map((node) => node.visit(_visitor)).join(''); } /** * @record */ class Declaration { /** * @param {?} unescapedAttrs */ constructor(unescapedAttrs) { this.attrs = {}; Object.keys(unescapedAttrs).forEach((k) => { this.attrs[k] = escapeXml(unescapedAttrs[k]); }); } /** * @param {?} visitor * @return {?} */ visit(visitor) { return visitor.visitDeclaration(this); } } class Doctype { /** * @param {?} rootTag * @param {?} dtd */ constructor(rootTag, dtd) { this.rootTag = rootTag; this.dtd = dtd; } /** * @param {?} visitor * @return {?} */ visit(visitor) { return visitor.visitDoctype(this); } } class Tag { /** * @param {?} name * @param {?=} unescapedAttrs * @param {?=} children */ constructor(name, unescapedAttrs = {}, children = []) { this.name = name; this.children = children; this.attrs = {}; Object.keys(unescapedAttrs).forEach((k) => { this.attrs[k] = escapeXml(unescapedAttrs[k]); }); } /** * @param {?} visitor * @return {?} */ visit(visitor) { return visitor.visitTag(this); } } class Text$2 { /** * @param {?} unescapedValue */ constructor(unescapedValue) { this.value = escapeXml(unescapedValue); } /** * @param {?} visitor * @return {?} */ visit(visitor) { return visitor.visitText(this); } } class CR extends Text$2 { /** * @param {?=} ws */ constructor(ws = 0) { super(`\n${new Array(ws + 1).join(' ')}`); } } const _ESCAPED_CHARS = [ [/&/g, '&'], [/"/g, '"'], [/'/g, '''], [//g, '>'], ]; /** * @param {?} text * @return {?} */ function escapeXml(text) { return _ESCAPED_CHARS.reduce((text, entry) => text.replace(entry[0], entry[1]), text); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _VERSION = '1.2'; const _XMLNS = 'urn:oasis:names:tc:xliff:document:1.2'; // TODO(vicb): make this a param (s/_/-/) const _DEFAULT_SOURCE_LANG = 'en'; const _PLACEHOLDER_TAG = 'x'; const _MARKER_TAG = 'mrk'; const _FILE_TAG = 'file'; const _SOURCE_TAG = 'source'; const _SEGMENT_SOURCE_TAG = 'seg-source'; const _TARGET_TAG = 'target'; const _UNIT_TAG = 'trans-unit'; const _CONTEXT_GROUP_TAG = 'context-group'; const _CONTEXT_TAG = 'context'; class Xliff extends Serializer { /** * @param {?} messages * @param {?} locale * @return {?} */ write(messages, locale) { const /** @type {?} */ visitor = new _WriteVisitor(); const /** @type {?} */ transUnits = []; messages.forEach(message => { let /** @type {?} */ contextTags = []; message.sources.forEach((source) => { let /** @type {?} */ contextGroupTag = new Tag(_CONTEXT_GROUP_TAG, { purpose: 'location' }); contextGroupTag.children.push(new CR(10), new Tag(_CONTEXT_TAG, { 'context-type': 'sourcefile' }, [new Text$2(source.filePath)]), new CR(10), new Tag(_CONTEXT_TAG, { 'context-type': 'linenumber' }, [new Text$2(`${source.startLine}`)]), new CR(8)); contextTags.push(new CR(8), contextGroupTag); }); const /** @type {?} */ transUnit = new Tag(_UNIT_TAG, { id: message.id, datatype: 'html' }); transUnit.children.push(new CR(8), new Tag(_SOURCE_TAG, {}, visitor.serialize(message.nodes)), ...contextTags); if (message.description) { transUnit.children.push(new CR(8), new Tag('note', { priority: '1', from: 'description' }, [new Text$2(message.description)])); } if (message.meaning) { transUnit.children.push(new CR(8), new Tag('note', { priority: '1', from: 'meaning' }, [new Text$2(message.meaning)])); } transUnit.children.push(new CR(6)); transUnits.push(new CR(6), transUnit); }); const /** @type {?} */ body = new Tag('body', {}, [...transUnits, new CR(4)]); const /** @type {?} */ file = new Tag('file', { 'source-language': locale || _DEFAULT_SOURCE_LANG, datatype: 'plaintext', original: 'ng2.template', }, [new CR(4), body, new CR(2)]); const /** @type {?} */ xliff = new Tag('xliff', { version: _VERSION, xmlns: _XMLNS }, [new CR(2), file, new CR()]); return serialize([ new Declaration({ version: '1.0', encoding: 'UTF-8' }), new CR(), xliff, new CR() ]); } /** * @param {?} content * @param {?} url * @return {?} */ load(content, url) { // xliff to xml nodes const /** @type {?} */ xliffParser = new XliffParser(); const { locale, msgIdToHtml, errors } = xliffParser.parse(content, url); // xml nodes to i18n nodes const /** @type {?} */ i18nNodesByMsgId = {}; const /** @type {?} */ converter = new XmlToI18n(); Object.keys(msgIdToHtml).forEach(msgId => { const { i18nNodes, errors: e } = converter.convert(msgIdToHtml[msgId], url); errors.push(...e); i18nNodesByMsgId[msgId] = i18nNodes; }); if (errors.length) { throw new Error(`xliff parse errors:\n${errors.join('\n')}`); } return { locale: /** @type {?} */ ((locale)), i18nNodesByMsgId }; } /** * @param {?} message * @return {?} */ digest(message) { return digest(message); } } class _WriteVisitor { /** * @param {?} text * @param {?=} context * @return {?} */ visitText(text, context) { return [new Text$2(text.value)]; } /** * @param {?} container * @param {?=} context * @return {?} */ visitContainer(container, context) { const /** @type {?} */ nodes = []; container.children.forEach((node) => nodes.push(...node.visit(this))); return nodes; } /** * @param {?} icu * @param {?=} context * @return {?} */ visitIcu(icu, context) { const /** @type {?} */ nodes = [new Text$2(`{${icu.expressionPlaceholder}, ${icu.type}, `)]; Object.keys(icu.cases).forEach((c) => { nodes.push(new Text$2(`${c} {`), ...icu.cases[c].visit(this), new Text$2(`} `)); }); nodes.push(new Text$2(`}`)); return nodes; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitTagPlaceholder(ph, context) { const /** @type {?} */ ctype = getCtypeForTag(ph.tag); if (ph.isVoid) { // void tags have no children nor closing tags return [new Tag(_PLACEHOLDER_TAG, { id: ph.startName, ctype, 'equiv-text': `<${ph.tag}/>` })]; } const /** @type {?} */ startTagPh = new Tag(_PLACEHOLDER_TAG, { id: ph.startName, ctype, 'equiv-text': `<${ph.tag}>` }); const /** @type {?} */ closeTagPh = new Tag(_PLACEHOLDER_TAG, { id: ph.closeName, ctype, 'equiv-text': `` }); return [startTagPh, ...this.serialize(ph.children), closeTagPh]; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitPlaceholder(ph, context) { return [new Tag(_PLACEHOLDER_TAG, { id: ph.name, 'equiv-text': `{{${ph.value}}}` })]; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { const /** @type {?} */ equivText = `{${ph.value.expression}, ${ph.value.type}, ${Object.keys(ph.value.cases).map((value) => value + ' {...}').join(' ')}}`; return [new Tag(_PLACEHOLDER_TAG, { id: ph.name, 'equiv-text': equivText })]; } /** * @param {?} nodes * @return {?} */ serialize(nodes) { return [].concat(...nodes.map(node => node.visit(this))); } } class XliffParser { constructor() { this._locale = null; } /** * @param {?} xliff * @param {?} url * @return {?} */ parse(xliff, url) { this._unitMlString = null; this._msgIdToHtml = {}; const /** @type {?} */ xml = new XmlParser().parse(xliff, url, false); this._errors = xml.errors; visitAll(this, xml.rootNodes, null); return { msgIdToHtml: this._msgIdToHtml, errors: this._errors, locale: this._locale, }; } /** * @param {?} element * @param {?} context * @return {?} */ visitElement(element, context) { switch (element.name) { case _UNIT_TAG: this._unitMlString = /** @type {?} */ ((null)); const /** @type {?} */ idAttr = element.attrs.find((attr) => attr.name === 'id'); if (!idAttr) { this._addError(element, `<${_UNIT_TAG}> misses the "id" attribute`); } else { const /** @type {?} */ id = idAttr.value; if (this._msgIdToHtml.hasOwnProperty(id)) { this._addError(element, `Duplicated translations for msg ${id}`); } else { visitAll(this, element.children, null); if (typeof this._unitMlString === 'string') { this._msgIdToHtml[id] = this._unitMlString; } else { this._addError(element, `Message ${id} misses a translation`); } } } break; // ignore those tags case _SOURCE_TAG: case _SEGMENT_SOURCE_TAG: break; case _TARGET_TAG: const /** @type {?} */ innerTextStart = /** @type {?} */ ((element.startSourceSpan)).end.offset; const /** @type {?} */ innerTextEnd = /** @type {?} */ ((element.endSourceSpan)).start.offset; const /** @type {?} */ content = /** @type {?} */ ((element.startSourceSpan)).start.file.content; const /** @type {?} */ innerText = content.slice(innerTextStart, innerTextEnd); this._unitMlString = innerText; break; case _FILE_TAG: const /** @type {?} */ localeAttr = element.attrs.find((attr) => attr.name === 'target-language'); if (localeAttr) { this._locale = localeAttr.value; } visitAll(this, element.children, null); break; default: // TODO(vicb): assert file structure, xliff version // For now only recurse on unhandled nodes visitAll(this, element.children, null); } } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { } /** * @param {?} expansion * @param {?} context * @return {?} */ visitExpansion(expansion, context) { } /** * @param {?} expansionCase * @param {?} context * @return {?} */ visitExpansionCase(expansionCase, context) { } /** * @param {?} node * @param {?} message * @return {?} */ _addError(node, message) { this._errors.push(new I18nError(/** @type {?} */ ((node.sourceSpan)), message)); } } class XmlToI18n { /** * @param {?} message * @param {?} url * @return {?} */ convert(message, url) { const /** @type {?} */ xmlIcu = new XmlParser().parse(message, url, true); this._errors = xmlIcu.errors; const /** @type {?} */ i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ? [] : [].concat(...visitAll(this, xmlIcu.rootNodes)); return { i18nNodes: i18nNodes, errors: this._errors, }; } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { return new Text$1(text.value, /** @type {?} */ ((text.sourceSpan))); } /** * @param {?} el * @param {?} context * @return {?} */ visitElement(el, context) { if (el.name === _PLACEHOLDER_TAG) { const /** @type {?} */ nameAttr = el.attrs.find((attr) => attr.name === 'id'); if (nameAttr) { return new Placeholder('', nameAttr.value, /** @type {?} */ ((el.sourceSpan))); } this._addError(el, `<${_PLACEHOLDER_TAG}> misses the "id" attribute`); return null; } if (el.name === _MARKER_TAG) { return [].concat(...visitAll(this, el.children)); } this._addError(el, `Unexpected tag`); return null; } /** * @param {?} icu * @param {?} context * @return {?} */ visitExpansion(icu, context) { const /** @type {?} */ caseMap = {}; visitAll(this, icu.cases).forEach((c) => { caseMap[c.value] = new Container(c.nodes, icu.sourceSpan); }); return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan); } /** * @param {?} icuCase * @param {?} context * @return {?} */ visitExpansionCase(icuCase, context) { return { value: icuCase.value, nodes: visitAll(this, icuCase.expression), }; } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { } /** * @param {?} node * @param {?} message * @return {?} */ _addError(node, message) { this._errors.push(new I18nError(/** @type {?} */ ((node.sourceSpan)), message)); } } /** * @param {?} tag * @return {?} */ function getCtypeForTag(tag) { switch (tag.toLowerCase()) { case 'br': return 'lb'; case 'img': return 'image'; default: return `x-${tag}`; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _VERSION$1 = '2.0'; const _XMLNS$1 = 'urn:oasis:names:tc:xliff:document:2.0'; // TODO(vicb): make this a param (s/_/-/) const _DEFAULT_SOURCE_LANG$1 = 'en'; const _PLACEHOLDER_TAG$1 = 'ph'; const _PLACEHOLDER_SPANNING_TAG = 'pc'; const _MARKER_TAG$1 = 'mrk'; const _XLIFF_TAG = 'xliff'; const _SOURCE_TAG$1 = 'source'; const _TARGET_TAG$1 = 'target'; const _UNIT_TAG$1 = 'unit'; class Xliff2 extends Serializer { /** * @param {?} messages * @param {?} locale * @return {?} */ write(messages, locale) { const /** @type {?} */ visitor = new _WriteVisitor$1(); const /** @type {?} */ units = []; messages.forEach(message => { const /** @type {?} */ unit = new Tag(_UNIT_TAG$1, { id: message.id }); const /** @type {?} */ notes = new Tag('notes'); if (message.description || message.meaning) { if (message.description) { notes.children.push(new CR(8), new Tag('note', { category: 'description' }, [new Text$2(message.description)])); } if (message.meaning) { notes.children.push(new CR(8), new Tag('note', { category: 'meaning' }, [new Text$2(message.meaning)])); } } message.sources.forEach((source) => { notes.children.push(new CR(8), new Tag('note', { category: 'location' }, [ new Text$2(`${source.filePath}:${source.startLine}${source.endLine !== source.startLine ? ',' + source.endLine : ''}`) ])); }); notes.children.push(new CR(6)); unit.children.push(new CR(6), notes); const /** @type {?} */ segment = new Tag('segment'); segment.children.push(new CR(8), new Tag(_SOURCE_TAG$1, {}, visitor.serialize(message.nodes)), new CR(6)); unit.children.push(new CR(6), segment, new CR(4)); units.push(new CR(4), unit); }); const /** @type {?} */ file = new Tag('file', { 'original': 'ng.template', id: 'ngi18n' }, [...units, new CR(2)]); const /** @type {?} */ xliff = new Tag(_XLIFF_TAG, { version: _VERSION$1, xmlns: _XMLNS$1, srcLang: locale || _DEFAULT_SOURCE_LANG$1 }, [new CR(2), file, new CR()]); return serialize([ new Declaration({ version: '1.0', encoding: 'UTF-8' }), new CR(), xliff, new CR() ]); } /** * @param {?} content * @param {?} url * @return {?} */ load(content, url) { // xliff to xml nodes const /** @type {?} */ xliff2Parser = new Xliff2Parser(); const { locale, msgIdToHtml, errors } = xliff2Parser.parse(content, url); // xml nodes to i18n nodes const /** @type {?} */ i18nNodesByMsgId = {}; const /** @type {?} */ converter = new XmlToI18n$1(); Object.keys(msgIdToHtml).forEach(msgId => { const { i18nNodes, errors: e } = converter.convert(msgIdToHtml[msgId], url); errors.push(...e); i18nNodesByMsgId[msgId] = i18nNodes; }); if (errors.length) { throw new Error(`xliff2 parse errors:\n${errors.join('\n')}`); } return { locale: /** @type {?} */ ((locale)), i18nNodesByMsgId }; } /** * @param {?} message * @return {?} */ digest(message) { return decimalDigest(message); } } class _WriteVisitor$1 { /** * @param {?} text * @param {?=} context * @return {?} */ visitText(text, context) { return [new Text$2(text.value)]; } /** * @param {?} container * @param {?=} context * @return {?} */ visitContainer(container, context) { const /** @type {?} */ nodes = []; container.children.forEach((node) => nodes.push(...node.visit(this))); return nodes; } /** * @param {?} icu * @param {?=} context * @return {?} */ visitIcu(icu, context) { const /** @type {?} */ nodes = [new Text$2(`{${icu.expressionPlaceholder}, ${icu.type}, `)]; Object.keys(icu.cases).forEach((c) => { nodes.push(new Text$2(`${c} {`), ...icu.cases[c].visit(this), new Text$2(`} `)); }); nodes.push(new Text$2(`}`)); return nodes; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitTagPlaceholder(ph, context) { const /** @type {?} */ type = getTypeForTag(ph.tag); if (ph.isVoid) { const /** @type {?} */ tagPh = new Tag(_PLACEHOLDER_TAG$1, { id: (this._nextPlaceholderId++).toString(), equiv: ph.startName, type: type, disp: `<${ph.tag}/>`, }); return [tagPh]; } const /** @type {?} */ tagPc = new Tag(_PLACEHOLDER_SPANNING_TAG, { id: (this._nextPlaceholderId++).toString(), equivStart: ph.startName, equivEnd: ph.closeName, type: type, dispStart: `<${ph.tag}>`, dispEnd: ``, }); const /** @type {?} */ nodes = [].concat(...ph.children.map(node => node.visit(this))); if (nodes.length) { nodes.forEach((node) => tagPc.children.push(node)); } else { tagPc.children.push(new Text$2('')); } return [tagPc]; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitPlaceholder(ph, context) { const /** @type {?} */ idStr = (this._nextPlaceholderId++).toString(); return [new Tag(_PLACEHOLDER_TAG$1, { id: idStr, equiv: ph.name, disp: `{{${ph.value}}}`, })]; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { const /** @type {?} */ cases = Object.keys(ph.value.cases).map((value) => value + ' {...}').join(' '); const /** @type {?} */ idStr = (this._nextPlaceholderId++).toString(); return [new Tag(_PLACEHOLDER_TAG$1, { id: idStr, equiv: ph.name, disp: `{${ph.value.expression}, ${ph.value.type}, ${cases}}` })]; } /** * @param {?} nodes * @return {?} */ serialize(nodes) { this._nextPlaceholderId = 0; return [].concat(...nodes.map(node => node.visit(this))); } } class Xliff2Parser { constructor() { this._locale = null; } /** * @param {?} xliff * @param {?} url * @return {?} */ parse(xliff, url) { this._unitMlString = null; this._msgIdToHtml = {}; const /** @type {?} */ xml = new XmlParser().parse(xliff, url, false); this._errors = xml.errors; visitAll(this, xml.rootNodes, null); return { msgIdToHtml: this._msgIdToHtml, errors: this._errors, locale: this._locale, }; } /** * @param {?} element * @param {?} context * @return {?} */ visitElement(element, context) { switch (element.name) { case _UNIT_TAG$1: this._unitMlString = null; const /** @type {?} */ idAttr = element.attrs.find((attr) => attr.name === 'id'); if (!idAttr) { this._addError(element, `<${_UNIT_TAG$1}> misses the "id" attribute`); } else { const /** @type {?} */ id = idAttr.value; if (this._msgIdToHtml.hasOwnProperty(id)) { this._addError(element, `Duplicated translations for msg ${id}`); } else { visitAll(this, element.children, null); if (typeof this._unitMlString === 'string') { this._msgIdToHtml[id] = this._unitMlString; } else { this._addError(element, `Message ${id} misses a translation`); } } } break; case _SOURCE_TAG$1: // ignore source message break; case _TARGET_TAG$1: const /** @type {?} */ innerTextStart = /** @type {?} */ ((element.startSourceSpan)).end.offset; const /** @type {?} */ innerTextEnd = /** @type {?} */ ((element.endSourceSpan)).start.offset; const /** @type {?} */ content = /** @type {?} */ ((element.startSourceSpan)).start.file.content; const /** @type {?} */ innerText = content.slice(innerTextStart, innerTextEnd); this._unitMlString = innerText; break; case _XLIFF_TAG: const /** @type {?} */ localeAttr = element.attrs.find((attr) => attr.name === 'trgLang'); if (localeAttr) { this._locale = localeAttr.value; } const /** @type {?} */ versionAttr = element.attrs.find((attr) => attr.name === 'version'); if (versionAttr) { const /** @type {?} */ version = versionAttr.value; if (version !== '2.0') { this._addError(element, `The XLIFF file version ${version} is not compatible with XLIFF 2.0 serializer`); } else { visitAll(this, element.children, null); } } break; default: visitAll(this, element.children, null); } } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { } /** * @param {?} expansion * @param {?} context * @return {?} */ visitExpansion(expansion, context) { } /** * @param {?} expansionCase * @param {?} context * @return {?} */ visitExpansionCase(expansionCase, context) { } /** * @param {?} node * @param {?} message * @return {?} */ _addError(node, message) { this._errors.push(new I18nError(node.sourceSpan, message)); } } class XmlToI18n$1 { /** * @param {?} message * @param {?} url * @return {?} */ convert(message, url) { const /** @type {?} */ xmlIcu = new XmlParser().parse(message, url, true); this._errors = xmlIcu.errors; const /** @type {?} */ i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ? [] : [].concat(...visitAll(this, xmlIcu.rootNodes)); return { i18nNodes, errors: this._errors, }; } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { return new Text$1(text.value, text.sourceSpan); } /** * @param {?} el * @param {?} context * @return {?} */ visitElement(el, context) { switch (el.name) { case _PLACEHOLDER_TAG$1: const /** @type {?} */ nameAttr = el.attrs.find((attr) => attr.name === 'equiv'); if (nameAttr) { return [new Placeholder('', nameAttr.value, el.sourceSpan)]; } this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the "equiv" attribute`); break; case _PLACEHOLDER_SPANNING_TAG: const /** @type {?} */ startAttr = el.attrs.find((attr) => attr.name === 'equivStart'); const /** @type {?} */ endAttr = el.attrs.find((attr) => attr.name === 'equivEnd'); if (!startAttr) { this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the "equivStart" attribute`); } else if (!endAttr) { this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the "equivEnd" attribute`); } else { const /** @type {?} */ startId = startAttr.value; const /** @type {?} */ endId = endAttr.value; const /** @type {?} */ nodes = []; return nodes.concat(new Placeholder('', startId, el.sourceSpan), ...el.children.map(node => node.visit(this, null)), new Placeholder('', endId, el.sourceSpan)); } break; case _MARKER_TAG$1: return [].concat(...visitAll(this, el.children)); default: this._addError(el, `Unexpected tag`); } return null; } /** * @param {?} icu * @param {?} context * @return {?} */ visitExpansion(icu, context) { const /** @type {?} */ caseMap = {}; visitAll(this, icu.cases).forEach((c) => { caseMap[c.value] = new Container(c.nodes, icu.sourceSpan); }); return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan); } /** * @param {?} icuCase * @param {?} context * @return {?} */ visitExpansionCase(icuCase, context) { return { value: icuCase.value, nodes: [].concat(...visitAll(this, icuCase.expression)), }; } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { } /** * @param {?} node * @param {?} message * @return {?} */ _addError(node, message) { this._errors.push(new I18nError(node.sourceSpan, message)); } } /** * @param {?} tag * @return {?} */ function getTypeForTag(tag) { switch (tag.toLowerCase()) { case 'br': case 'b': case 'i': case 'u': return 'fmt'; case 'img': return 'image'; case 'a': return 'link'; default: return 'other'; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _MESSAGES_TAG = 'messagebundle'; const _MESSAGE_TAG = 'msg'; const _PLACEHOLDER_TAG$2 = 'ph'; const _EXEMPLE_TAG = 'ex'; const _SOURCE_TAG$2 = 'source'; const _DOCTYPE = ` `; class Xmb extends Serializer { /** * @param {?} messages * @param {?} locale * @return {?} */ write(messages, locale) { const /** @type {?} */ exampleVisitor = new ExampleVisitor(); const /** @type {?} */ visitor = new _Visitor$2(); let /** @type {?} */ rootNode = new Tag(_MESSAGES_TAG); messages.forEach(message => { const /** @type {?} */ attrs = { id: message.id }; if (message.description) { attrs['desc'] = message.description; } if (message.meaning) { attrs['meaning'] = message.meaning; } let /** @type {?} */ sourceTags = []; message.sources.forEach((source) => { sourceTags.push(new Tag(_SOURCE_TAG$2, {}, [ new Text$2(`${source.filePath}:${source.startLine}${source.endLine !== source.startLine ? ',' + source.endLine : ''}`) ])); }); rootNode.children.push(new CR(2), new Tag(_MESSAGE_TAG, attrs, [...sourceTags, ...visitor.serialize(message.nodes)])); }); rootNode.children.push(new CR()); return serialize([ new Declaration({ version: '1.0', encoding: 'UTF-8' }), new CR(), new Doctype(_MESSAGES_TAG, _DOCTYPE), new CR(), exampleVisitor.addDefaultExamples(rootNode), new CR(), ]); } /** * @param {?} content * @param {?} url * @return {?} */ load(content, url) { throw new Error('Unsupported'); } /** * @param {?} message * @return {?} */ digest(message) { return digest$1(message); } /** * @param {?} message * @return {?} */ createNameMapper(message) { return new SimplePlaceholderMapper(message, toPublicName); } } class _Visitor$2 { /** * @param {?} text * @param {?=} context * @return {?} */ visitText(text, context) { return [new Text$2(text.value)]; } /** * @param {?} container * @param {?} context * @return {?} */ visitContainer(container, context) { const /** @type {?} */ nodes = []; container.children.forEach((node) => nodes.push(...node.visit(this))); return nodes; } /** * @param {?} icu * @param {?=} context * @return {?} */ visitIcu(icu, context) { const /** @type {?} */ nodes = [new Text$2(`{${icu.expressionPlaceholder}, ${icu.type}, `)]; Object.keys(icu.cases).forEach((c) => { nodes.push(new Text$2(`${c} {`), ...icu.cases[c].visit(this), new Text$2(`} `)); }); nodes.push(new Text$2(`}`)); return nodes; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitTagPlaceholder(ph, context) { const /** @type {?} */ startEx = new Tag(_EXEMPLE_TAG, {}, [new Text$2(`<${ph.tag}>`)]); const /** @type {?} */ startTagPh = new Tag(_PLACEHOLDER_TAG$2, { name: ph.startName }, [startEx]); if (ph.isVoid) { // void tags have no children nor closing tags return [startTagPh]; } const /** @type {?} */ closeEx = new Tag(_EXEMPLE_TAG, {}, [new Text$2(``)]); const /** @type {?} */ closeTagPh = new Tag(_PLACEHOLDER_TAG$2, { name: ph.closeName }, [closeEx]); return [startTagPh, ...this.serialize(ph.children), closeTagPh]; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitPlaceholder(ph, context) { const /** @type {?} */ exTag = new Tag(_EXEMPLE_TAG, {}, [new Text$2(`{{${ph.value}}}`)]); return [new Tag(_PLACEHOLDER_TAG$2, { name: ph.name }, [exTag])]; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { const /** @type {?} */ exTag = new Tag(_EXEMPLE_TAG, {}, [ new Text$2(`{${ph.value.expression}, ${ph.value.type}, ${Object.keys(ph.value.cases).map((value) => value + ' {...}').join(' ')}}`) ]); return [new Tag(_PLACEHOLDER_TAG$2, { name: ph.name }, [exTag])]; } /** * @param {?} nodes * @return {?} */ serialize(nodes) { return [].concat(...nodes.map(node => node.visit(this))); } } /** * @param {?} message * @return {?} */ function digest$1(message) { return decimalDigest(message); } class ExampleVisitor { /** * @param {?} node * @return {?} */ addDefaultExamples(node) { node.visit(this); return node; } /** * @param {?} tag * @return {?} */ visitTag(tag) { if (tag.name === _PLACEHOLDER_TAG$2) { if (!tag.children || tag.children.length == 0) { const /** @type {?} */ exText = new Text$2(tag.attrs['name'] || '...'); tag.children = [new Tag(_EXEMPLE_TAG, {}, [exText])]; } } else if (tag.children) { tag.children.forEach(node => node.visit(this)); } } /** * @param {?} text * @return {?} */ visitText(text) { } /** * @param {?} decl * @return {?} */ visitDeclaration(decl) { } /** * @param {?} doctype * @return {?} */ visitDoctype(doctype) { } } /** * @param {?} internalName * @return {?} */ function toPublicName(internalName) { return internalName.toUpperCase().replace(/[^A-Z0-9_]/g, '_'); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _TRANSLATIONS_TAG = 'translationbundle'; const _TRANSLATION_TAG = 'translation'; const _PLACEHOLDER_TAG$3 = 'ph'; class Xtb extends Serializer { /** * @param {?} messages * @param {?} locale * @return {?} */ write(messages, locale) { throw new Error('Unsupported'); } /** * @param {?} content * @param {?} url * @return {?} */ load(content, url) { // xtb to xml nodes const /** @type {?} */ xtbParser = new XtbParser(); const { locale, msgIdToHtml, errors } = xtbParser.parse(content, url); // xml nodes to i18n nodes const /** @type {?} */ i18nNodesByMsgId = {}; const /** @type {?} */ converter = new XmlToI18n$2(); // Because we should be able to load xtb files that rely on features not supported by angular, // we need to delay the conversion of html to i18n nodes so that non angular messages are not // converted Object.keys(msgIdToHtml).forEach(msgId => { const /** @type {?} */ valueFn = function () { const { i18nNodes, errors } = converter.convert(msgIdToHtml[msgId], url); if (errors.length) { throw new Error(`xtb parse errors:\n${errors.join('\n')}`); } return i18nNodes; }; createLazyProperty(i18nNodesByMsgId, msgId, valueFn); }); if (errors.length) { throw new Error(`xtb parse errors:\n${errors.join('\n')}`); } return { locale: /** @type {?} */ ((locale)), i18nNodesByMsgId }; } /** * @param {?} message * @return {?} */ digest(message) { return digest$1(message); } /** * @param {?} message * @return {?} */ createNameMapper(message) { return new SimplePlaceholderMapper(message, toPublicName); } } /** * @param {?} messages * @param {?} id * @param {?} valueFn * @return {?} */ function createLazyProperty(messages, id, valueFn) { Object.defineProperty(messages, id, { configurable: true, enumerable: true, get: function () { const /** @type {?} */ value = valueFn(); Object.defineProperty(messages, id, { enumerable: true, value }); return value; }, set: _ => { throw new Error('Could not overwrite an XTB translation'); }, }); } class XtbParser { constructor() { this._locale = null; } /** * @param {?} xtb * @param {?} url * @return {?} */ parse(xtb, url) { this._bundleDepth = 0; this._msgIdToHtml = {}; // We can not parse the ICU messages at this point as some messages might not originate // from Angular that could not be lex'd. const /** @type {?} */ xml = new XmlParser().parse(xtb, url, false); this._errors = xml.errors; visitAll(this, xml.rootNodes); return { msgIdToHtml: this._msgIdToHtml, errors: this._errors, locale: this._locale, }; } /** * @param {?} element * @param {?} context * @return {?} */ visitElement(element, context) { switch (element.name) { case _TRANSLATIONS_TAG: this._bundleDepth++; if (this._bundleDepth > 1) { this._addError(element, `<${_TRANSLATIONS_TAG}> elements can not be nested`); } const /** @type {?} */ langAttr = element.attrs.find((attr) => attr.name === 'lang'); if (langAttr) { this._locale = langAttr.value; } visitAll(this, element.children, null); this._bundleDepth--; break; case _TRANSLATION_TAG: const /** @type {?} */ idAttr = element.attrs.find((attr) => attr.name === 'id'); if (!idAttr) { this._addError(element, `<${_TRANSLATION_TAG}> misses the "id" attribute`); } else { const /** @type {?} */ id = idAttr.value; if (this._msgIdToHtml.hasOwnProperty(id)) { this._addError(element, `Duplicated translations for msg ${id}`); } else { const /** @type {?} */ innerTextStart = /** @type {?} */ ((element.startSourceSpan)).end.offset; const /** @type {?} */ innerTextEnd = /** @type {?} */ ((element.endSourceSpan)).start.offset; const /** @type {?} */ content = /** @type {?} */ ((element.startSourceSpan)).start.file.content; const /** @type {?} */ innerText = content.slice(/** @type {?} */ ((innerTextStart)), /** @type {?} */ ((innerTextEnd))); this._msgIdToHtml[id] = innerText; } } break; default: this._addError(element, 'Unexpected tag'); } } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { } /** * @param {?} expansion * @param {?} context * @return {?} */ visitExpansion(expansion, context) { } /** * @param {?} expansionCase * @param {?} context * @return {?} */ visitExpansionCase(expansionCase, context) { } /** * @param {?} node * @param {?} message * @return {?} */ _addError(node, message) { this._errors.push(new I18nError(/** @type {?} */ ((node.sourceSpan)), message)); } } class XmlToI18n$2 { /** * @param {?} message * @param {?} url * @return {?} */ convert(message, url) { const /** @type {?} */ xmlIcu = new XmlParser().parse(message, url, true); this._errors = xmlIcu.errors; const /** @type {?} */ i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ? [] : visitAll(this, xmlIcu.rootNodes); return { i18nNodes, errors: this._errors, }; } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { return new Text$1(text.value, /** @type {?} */ ((text.sourceSpan))); } /** * @param {?} icu * @param {?} context * @return {?} */ visitExpansion(icu, context) { const /** @type {?} */ caseMap = {}; visitAll(this, icu.cases).forEach(c => { caseMap[c.value] = new Container(c.nodes, icu.sourceSpan); }); return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan); } /** * @param {?} icuCase * @param {?} context * @return {?} */ visitExpansionCase(icuCase, context) { return { value: icuCase.value, nodes: visitAll(this, icuCase.expression), }; } /** * @param {?} el * @param {?} context * @return {?} */ visitElement(el, context) { if (el.name === _PLACEHOLDER_TAG$3) { const /** @type {?} */ nameAttr = el.attrs.find((attr) => attr.name === 'name'); if (nameAttr) { return new Placeholder('', nameAttr.value, /** @type {?} */ ((el.sourceSpan))); } this._addError(el, `<${_PLACEHOLDER_TAG$3}> misses the "name" attribute`); } else { this._addError(el, `Unexpected tag`); } return null; } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { } /** * @param {?} node * @param {?} message * @return {?} */ _addError(node, message) { this._errors.push(new I18nError(/** @type {?} */ ((node.sourceSpan)), message)); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class HtmlParser extends Parser$1 { constructor() { super(getHtmlTagDefinition); } /** * @param {?} source * @param {?} url * @param {?=} parseExpansionForms * @param {?=} interpolationConfig * @return {?} */ parse(source, url, parseExpansionForms = false, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { return super.parse(source, url, parseExpansionForms, interpolationConfig); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * A container for translated messages */ class TranslationBundle { /** * @param {?=} _i18nNodesByMsgId * @param {?=} locale * @param {?=} digest * @param {?=} mapperFactory * @param {?=} missingTranslationStrategy * @param {?=} console */ constructor(_i18nNodesByMsgId = {}, locale, digest, mapperFactory, missingTranslationStrategy = MissingTranslationStrategy.Warning, console) { this._i18nNodesByMsgId = _i18nNodesByMsgId; this.digest = digest; this.mapperFactory = mapperFactory; this._i18nToHtml = new I18nToHtmlVisitor(_i18nNodesByMsgId, locale, digest, /** @type {?} */ ((mapperFactory)), missingTranslationStrategy, console); } /** * @param {?} content * @param {?} url * @param {?} serializer * @param {?} missingTranslationStrategy * @param {?=} console * @return {?} */ static load(content, url, serializer, missingTranslationStrategy, console) { const { locale, i18nNodesByMsgId } = serializer.load(content, url); const /** @type {?} */ digestFn = (m) => serializer.digest(m); const /** @type {?} */ mapperFactory = (m) => /** @type {?} */ ((serializer.createNameMapper(m))); return new TranslationBundle(i18nNodesByMsgId, locale, digestFn, mapperFactory, missingTranslationStrategy, console); } /** * @param {?} srcMsg * @return {?} */ get(srcMsg) { const /** @type {?} */ html = this._i18nToHtml.convert(srcMsg); if (html.errors.length) { throw new Error(html.errors.join('\n')); } return html.nodes; } /** * @param {?} srcMsg * @return {?} */ has(srcMsg) { return this.digest(srcMsg) in this._i18nNodesByMsgId; } } class I18nToHtmlVisitor { /** * @param {?=} _i18nNodesByMsgId * @param {?=} _locale * @param {?=} _digest * @param {?=} _mapperFactory * @param {?=} _missingTranslationStrategy * @param {?=} _console */ constructor(_i18nNodesByMsgId = {}, _locale, _digest, _mapperFactory, _missingTranslationStrategy, _console) { this._i18nNodesByMsgId = _i18nNodesByMsgId; this._locale = _locale; this._digest = _digest; this._mapperFactory = _mapperFactory; this._missingTranslationStrategy = _missingTranslationStrategy; this._console = _console; this._contextStack = []; this._errors = []; } /** * @param {?} srcMsg * @return {?} */ convert(srcMsg) { this._contextStack.length = 0; this._errors.length = 0; // i18n to text const /** @type {?} */ text = this._convertToText(srcMsg); // text to html const /** @type {?} */ url = srcMsg.nodes[0].sourceSpan.start.file.url; const /** @type {?} */ html = new HtmlParser().parse(text, url, true); return { nodes: html.rootNodes, errors: [...this._errors, ...html.errors], }; } /** * @param {?} text * @param {?=} context * @return {?} */ visitText(text, context) { // `convert()` uses an `HtmlParser` to return `html.Node`s // we should then make sure that any special characters are escaped return escapeXml(text.value); } /** * @param {?} container * @param {?=} context * @return {?} */ visitContainer(container, context) { return container.children.map(n => n.visit(this)).join(''); } /** * @param {?} icu * @param {?=} context * @return {?} */ visitIcu(icu, context) { const /** @type {?} */ cases = Object.keys(icu.cases).map(k => `${k} {${icu.cases[k].visit(this)}}`); // TODO(vicb): Once all format switch to using expression placeholders // we should throw when the placeholder is not in the source message const /** @type {?} */ exp = this._srcMsg.placeholders.hasOwnProperty(icu.expression) ? this._srcMsg.placeholders[icu.expression] : icu.expression; return `{${exp}, ${icu.type}, ${cases.join(' ')}}`; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitPlaceholder(ph, context) { const /** @type {?} */ phName = this._mapper(ph.name); if (this._srcMsg.placeholders.hasOwnProperty(phName)) { return this._srcMsg.placeholders[phName]; } if (this._srcMsg.placeholderToMessage.hasOwnProperty(phName)) { return this._convertToText(this._srcMsg.placeholderToMessage[phName]); } this._addError(ph, `Unknown placeholder "${ph.name}"`); return ''; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitTagPlaceholder(ph, context) { const /** @type {?} */ tag = `${ph.tag}`; const /** @type {?} */ attrs = Object.keys(ph.attrs).map(name => `${name}="${ph.attrs[name]}"`).join(' '); if (ph.isVoid) { return `<${tag} ${attrs}/>`; } const /** @type {?} */ children = ph.children.map((c) => c.visit(this)).join(''); return `<${tag} ${attrs}>${children}`; } /** * @param {?} ph * @param {?=} context * @return {?} */ visitIcuPlaceholder(ph, context) { // An ICU placeholder references the source message to be serialized return this._convertToText(this._srcMsg.placeholderToMessage[ph.name]); } /** * Convert a source message to a translated text string: * - text nodes are replaced with their translation, * - placeholders are replaced with their content, * - ICU nodes are converted to ICU expressions. * @param {?} srcMsg * @return {?} */ _convertToText(srcMsg) { const /** @type {?} */ id = this._digest(srcMsg); const /** @type {?} */ mapper = this._mapperFactory ? this._mapperFactory(srcMsg) : null; let /** @type {?} */ nodes; this._contextStack.push({ msg: this._srcMsg, mapper: this._mapper }); this._srcMsg = srcMsg; if (this._i18nNodesByMsgId.hasOwnProperty(id)) { // When there is a translation use its nodes as the source // And create a mapper to convert serialized placeholder names to internal names nodes = this._i18nNodesByMsgId[id]; this._mapper = (name) => mapper ? /** @type {?} */ ((mapper.toInternalName(name))) : name; } else { // When no translation has been found // - report an error / a warning / nothing, // - use the nodes from the original message // - placeholders are already internal and need no mapper if (this._missingTranslationStrategy === MissingTranslationStrategy.Error) { const /** @type {?} */ ctx = this._locale ? ` for locale "${this._locale}"` : ''; this._addError(srcMsg.nodes[0], `Missing translation for message "${id}"${ctx}`); } else if (this._console && this._missingTranslationStrategy === MissingTranslationStrategy.Warning) { const /** @type {?} */ ctx = this._locale ? ` for locale "${this._locale}"` : ''; this._console.warn(`Missing translation for message "${id}"${ctx}`); } nodes = srcMsg.nodes; this._mapper = (name) => name; } const /** @type {?} */ text = nodes.map(node => node.visit(this)).join(''); const /** @type {?} */ context = /** @type {?} */ ((this._contextStack.pop())); this._srcMsg = context.msg; this._mapper = context.mapper; return text; } /** * @param {?} el * @param {?} msg * @return {?} */ _addError(el, msg) { this._errors.push(new I18nError(el.sourceSpan, msg)); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class I18NHtmlParser { /** * @param {?} _htmlParser * @param {?=} translations * @param {?=} translationsFormat * @param {?=} missingTranslation * @param {?=} console */ constructor(_htmlParser, translations, translationsFormat, missingTranslation = MissingTranslationStrategy.Warning, console) { this._htmlParser = _htmlParser; if (translations) { const /** @type {?} */ serializer = createSerializer(translationsFormat); this._translationBundle = TranslationBundle.load(translations, 'i18n', serializer, missingTranslation, console); } else { this._translationBundle = new TranslationBundle({}, null, digest, undefined, missingTranslation, console); } } /** * @param {?} source * @param {?} url * @param {?=} parseExpansionForms * @param {?=} interpolationConfig * @return {?} */ parse(source, url, parseExpansionForms = false, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) { const /** @type {?} */ parseResult = this._htmlParser.parse(source, url, parseExpansionForms, interpolationConfig); if (parseResult.errors.length) { return new ParseTreeResult(parseResult.rootNodes, parseResult.errors); } return mergeTranslations(parseResult.rootNodes, this._translationBundle, interpolationConfig, [], {}); } } /** * @param {?=} format * @return {?} */ function createSerializer(format) { format = (format || 'xlf').toLowerCase(); switch (format) { case 'xmb': return new Xmb(); case 'xtb': return new Xtb(); case 'xliff2': case 'xlf2': return new Xliff2(); case 'xliff': case 'xlf': default: return new Xliff(); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const STRIP_SRC_FILE_SUFFIXES = /(\.ts|\.d\.ts|\.js|\.jsx|\.tsx)$/; const GENERATED_FILE = /\.ngfactory\.|\.ngsummary\./; const JIT_SUMMARY_FILE = /\.ngsummary\./; const JIT_SUMMARY_NAME = /NgSummary$/; /** * @param {?} filePath * @param {?=} forceSourceFile * @return {?} */ function ngfactoryFilePath(filePath, forceSourceFile = false) { const /** @type {?} */ urlWithSuffix = splitTypescriptSuffix(filePath, forceSourceFile); return `${urlWithSuffix[0]}.ngfactory${normalizeGenFileSuffix(urlWithSuffix[1])}`; } /** * @param {?} filePath * @return {?} */ function stripGeneratedFileSuffix(filePath) { return filePath.replace(GENERATED_FILE, '.'); } /** * @param {?} filePath * @return {?} */ function isGeneratedFile(filePath) { return GENERATED_FILE.test(filePath); } /** * @param {?} path * @param {?=} forceSourceFile * @return {?} */ function splitTypescriptSuffix(path, forceSourceFile = false) { if (path.endsWith('.d.ts')) { return [path.slice(0, -5), forceSourceFile ? '.ts' : '.d.ts']; } const /** @type {?} */ lastDot = path.lastIndexOf('.'); if (lastDot !== -1) { return [path.substring(0, lastDot), path.substring(lastDot)]; } return [path, '']; } /** * @param {?} srcFileSuffix * @return {?} */ function normalizeGenFileSuffix(srcFileSuffix) { return srcFileSuffix === '.tsx' ? '.ts' : srcFileSuffix; } /** * @param {?} fileName * @return {?} */ function summaryFileName(fileName) { const /** @type {?} */ fileNameWithoutSuffix = fileName.replace(STRIP_SRC_FILE_SUFFIXES, ''); return `${fileNameWithoutSuffix}.ngsummary.json`; } /** * @param {?} fileName * @param {?=} forceSourceFile * @return {?} */ function summaryForJitFileName(fileName, forceSourceFile = false) { const /** @type {?} */ urlWithSuffix = splitTypescriptSuffix(stripGeneratedFileSuffix(fileName), forceSourceFile); return `${urlWithSuffix[0]}.ngsummary${urlWithSuffix[1]}`; } /** * @param {?} filePath * @return {?} */ function stripSummaryForJitFileSuffix(filePath) { return filePath.replace(JIT_SUMMARY_FILE, '.'); } /** * @param {?} symbolName * @return {?} */ function summaryForJitName(symbolName) { return `${symbolName}NgSummary`; } /** * @param {?} symbolName * @return {?} */ function stripSummaryForJitNameSuffix(symbolName) { return symbolName.replace(JIT_SUMMARY_NAME, ''); } const LOWERED_SYMBOL = /\u0275\d+/; /** * @param {?} name * @return {?} */ function isLoweredSymbol(name) { return LOWERED_SYMBOL.test(name); } /** * @param {?} id * @return {?} */ function createLoweredSymbol(id) { return `\u0275${id}`; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const CORE = '@angular/core'; class Identifiers { } Identifiers.ANALYZE_FOR_ENTRY_COMPONENTS = { name: 'ANALYZE_FOR_ENTRY_COMPONENTS', moduleName: CORE, }; Identifiers.ElementRef = { name: 'ElementRef', moduleName: CORE }; Identifiers.NgModuleRef = { name: 'NgModuleRef', moduleName: CORE }; Identifiers.ViewContainerRef = { name: 'ViewContainerRef', moduleName: CORE }; Identifiers.ChangeDetectorRef = { name: 'ChangeDetectorRef', moduleName: CORE, }; Identifiers.QueryList = { name: 'QueryList', moduleName: CORE }; Identifiers.TemplateRef = { name: 'TemplateRef', moduleName: CORE }; Identifiers.CodegenComponentFactoryResolver = { name: 'ɵCodegenComponentFactoryResolver', moduleName: CORE, }; Identifiers.ComponentFactoryResolver = { name: 'ComponentFactoryResolver', moduleName: CORE, }; Identifiers.ComponentFactory = { name: 'ComponentFactory', moduleName: CORE }; Identifiers.ComponentRef = { name: 'ComponentRef', moduleName: CORE }; Identifiers.NgModuleFactory = { name: 'NgModuleFactory', moduleName: CORE }; Identifiers.createModuleFactory = { name: 'ɵcmf', moduleName: CORE, }; Identifiers.moduleDef = { name: 'ɵmod', moduleName: CORE, }; Identifiers.moduleProviderDef = { name: 'ɵmpd', moduleName: CORE, }; Identifiers.RegisterModuleFactoryFn = { name: 'ɵregisterModuleFactory', moduleName: CORE, }; Identifiers.Injector = { name: 'Injector', moduleName: CORE }; Identifiers.ViewEncapsulation = { name: 'ViewEncapsulation', moduleName: CORE, }; Identifiers.ChangeDetectionStrategy = { name: 'ChangeDetectionStrategy', moduleName: CORE, }; Identifiers.SecurityContext = { name: 'SecurityContext', moduleName: CORE, }; Identifiers.LOCALE_ID = { name: 'LOCALE_ID', moduleName: CORE }; Identifiers.TRANSLATIONS_FORMAT = { name: 'TRANSLATIONS_FORMAT', moduleName: CORE, }; Identifiers.inlineInterpolate = { name: 'ɵinlineInterpolate', moduleName: CORE, }; Identifiers.interpolate = { name: 'ɵinterpolate', moduleName: CORE }; Identifiers.EMPTY_ARRAY = { name: 'ɵEMPTY_ARRAY', moduleName: CORE }; Identifiers.EMPTY_MAP = { name: 'ɵEMPTY_MAP', moduleName: CORE }; Identifiers.Renderer = { name: 'Renderer', moduleName: CORE }; Identifiers.viewDef = { name: 'ɵvid', moduleName: CORE }; Identifiers.elementDef = { name: 'ɵeld', moduleName: CORE }; Identifiers.anchorDef = { name: 'ɵand', moduleName: CORE }; Identifiers.textDef = { name: 'ɵted', moduleName: CORE }; Identifiers.directiveDef = { name: 'ɵdid', moduleName: CORE }; Identifiers.providerDef = { name: 'ɵprd', moduleName: CORE }; Identifiers.queryDef = { name: 'ɵqud', moduleName: CORE }; Identifiers.pureArrayDef = { name: 'ɵpad', moduleName: CORE }; Identifiers.pureObjectDef = { name: 'ɵpod', moduleName: CORE }; Identifiers.purePipeDef = { name: 'ɵppd', moduleName: CORE }; Identifiers.pipeDef = { name: 'ɵpid', moduleName: CORE }; Identifiers.nodeValue = { name: 'ɵnov', moduleName: CORE }; Identifiers.ngContentDef = { name: 'ɵncd', moduleName: CORE }; Identifiers.unwrapValue = { name: 'ɵunv', moduleName: CORE }; Identifiers.createRendererType2 = { name: 'ɵcrt', moduleName: CORE }; // type only Identifiers.RendererType2 = { name: 'RendererType2', moduleName: CORE, }; // type only Identifiers.ViewDefinition = { name: 'ɵViewDefinition', moduleName: CORE, }; Identifiers.createComponentFactory = { name: 'ɵccf', moduleName: CORE }; /** * @param {?} reference * @return {?} */ function createTokenForReference(reference) { return { identifier: { reference: reference } }; } /** * @param {?} reflector * @param {?} reference * @return {?} */ function createTokenForExternalReference(reflector, reference) { return createTokenForReference(reflector.resolveExternalReference(reference)); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** @enum {number} */ const LifecycleHooks = { OnInit: 0, OnDestroy: 1, DoCheck: 2, OnChanges: 3, AfterContentInit: 4, AfterContentChecked: 5, AfterViewInit: 6, AfterViewChecked: 7, }; LifecycleHooks[LifecycleHooks.OnInit] = "OnInit"; LifecycleHooks[LifecycleHooks.OnDestroy] = "OnDestroy"; LifecycleHooks[LifecycleHooks.DoCheck] = "DoCheck"; LifecycleHooks[LifecycleHooks.OnChanges] = "OnChanges"; LifecycleHooks[LifecycleHooks.AfterContentInit] = "AfterContentInit"; LifecycleHooks[LifecycleHooks.AfterContentChecked] = "AfterContentChecked"; LifecycleHooks[LifecycleHooks.AfterViewInit] = "AfterViewInit"; LifecycleHooks[LifecycleHooks.AfterViewChecked] = "AfterViewChecked"; const LIFECYCLE_HOOKS_VALUES = [ LifecycleHooks.OnInit, LifecycleHooks.OnDestroy, LifecycleHooks.DoCheck, LifecycleHooks.OnChanges, LifecycleHooks.AfterContentInit, LifecycleHooks.AfterContentChecked, LifecycleHooks.AfterViewInit, LifecycleHooks.AfterViewChecked ]; /** * @param {?} reflector * @param {?} hook * @param {?} token * @return {?} */ function hasLifecycleHook(reflector, hook, token) { return reflector.hasLifecycleHook(token, getHookName(hook)); } /** * @param {?} reflector * @param {?} token * @return {?} */ function getAllLifecycleHooks(reflector, token) { return LIFECYCLE_HOOKS_VALUES.filter(hook => hasLifecycleHook(reflector, hook, token)); } /** * @param {?} hook * @return {?} */ function getHookName(hook) { switch (hook) { case LifecycleHooks.OnInit: return 'ngOnInit'; case LifecycleHooks.OnDestroy: return 'ngOnDestroy'; case LifecycleHooks.DoCheck: return 'ngDoCheck'; case LifecycleHooks.OnChanges: return 'ngOnChanges'; case LifecycleHooks.AfterContentInit: return 'ngAfterContentInit'; case LifecycleHooks.AfterContentChecked: return 'ngAfterContentChecked'; case LifecycleHooks.AfterViewInit: return 'ngAfterViewInit'; case LifecycleHooks.AfterViewChecked: return 'ngAfterViewChecked'; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _SELECTOR_REGEXP = new RegExp('(\\:not\\()|' + //":not(" '([-\\w]+)|' + // "tag" '(?:\\.([-\\w]+))|' + // ".class" '(?:\\[([-.\\w*]+)(?:=([\"\']?)([^\\]\"\']*)\\5)?\\])|' + // "[name]", "[name=value]", '(\\))|' + // ")" '(\\s*,\\s*)', // "," 'g'); /** * A css selector contains an element name, * css classes and attribute/value pairs with the purpose * of selecting subsets out of them. */ class CssSelector { constructor() { this.element = null; this.classNames = []; this.attrs = []; this.notSelectors = []; } /** * @param {?} selector * @return {?} */ static parse(selector) { const /** @type {?} */ results = []; const /** @type {?} */ _addResult = (res, cssSel) => { if (cssSel.notSelectors.length > 0 && !cssSel.element && cssSel.classNames.length == 0 && cssSel.attrs.length == 0) { cssSel.element = '*'; } res.push(cssSel); }; let /** @type {?} */ cssSelector = new CssSelector(); let /** @type {?} */ match; let /** @type {?} */ current = cssSelector; let /** @type {?} */ inNot = false; _SELECTOR_REGEXP.lastIndex = 0; while (match = _SELECTOR_REGEXP.exec(selector)) { if (match[1]) { if (inNot) { throw new Error('Nesting :not is not allowed in a selector'); } inNot = true; current = new CssSelector(); cssSelector.notSelectors.push(current); } if (match[2]) { current.setElement(match[2]); } if (match[3]) { current.addClassName(match[3]); } if (match[4]) { current.addAttribute(match[4], match[6]); } if (match[7]) { inNot = false; current = cssSelector; } if (match[8]) { if (inNot) { throw new Error('Multiple selectors in :not are not supported'); } _addResult(results, cssSelector); cssSelector = current = new CssSelector(); } } _addResult(results, cssSelector); return results; } /** * @return {?} */ isElementSelector() { return this.hasElementSelector() && this.classNames.length == 0 && this.attrs.length == 0 && this.notSelectors.length === 0; } /** * @return {?} */ hasElementSelector() { return !!this.element; } /** * @param {?=} element * @return {?} */ setElement(element = null) { this.element = element; } /** * Gets a template string for an element that matches the selector. * @return {?} */ getMatchingElementTemplate() { const /** @type {?} */ tagName = this.element || 'div'; const /** @type {?} */ classAttr = this.classNames.length > 0 ? ` class="${this.classNames.join(' ')}"` : ''; let /** @type {?} */ attrs = ''; for (let /** @type {?} */ i = 0; i < this.attrs.length; i += 2) { const /** @type {?} */ attrName = this.attrs[i]; const /** @type {?} */ attrValue = this.attrs[i + 1] !== '' ? `="${this.attrs[i + 1]}"` : ''; attrs += ` ${attrName}${attrValue}`; } return getHtmlTagDefinition(tagName).isVoid ? `<${tagName}${classAttr}${attrs}/>` : `<${tagName}${classAttr}${attrs}>`; } /** * @param {?} name * @param {?=} value * @return {?} */ addAttribute(name, value = '') { this.attrs.push(name, value && value.toLowerCase() || ''); } /** * @param {?} name * @return {?} */ addClassName(name) { this.classNames.push(name.toLowerCase()); } /** * @return {?} */ toString() { let /** @type {?} */ res = this.element || ''; if (this.classNames) { this.classNames.forEach(klass => res += `.${klass}`); } if (this.attrs) { for (let /** @type {?} */ i = 0; i < this.attrs.length; i += 2) { const /** @type {?} */ name = this.attrs[i]; const /** @type {?} */ value = this.attrs[i + 1]; res += `[${name}${value ? '=' + value : ''}]`; } } this.notSelectors.forEach(notSelector => res += `:not(${notSelector})`); return res; } } /** * Reads a list of CssSelectors and allows to calculate which ones * are contained in a given CssSelector. */ class SelectorMatcher { constructor() { this._elementMap = new Map(); this._elementPartialMap = new Map(); this._classMap = new Map(); this._classPartialMap = new Map(); this._attrValueMap = new Map(); this._attrValuePartialMap = new Map(); this._listContexts = []; } /** * @param {?} notSelectors * @return {?} */ static createNotMatcher(notSelectors) { const /** @type {?} */ notMatcher = new SelectorMatcher(); notMatcher.addSelectables(notSelectors, null); return notMatcher; } /** * @param {?} cssSelectors * @param {?=} callbackCtxt * @return {?} */ addSelectables(cssSelectors, callbackCtxt) { let /** @type {?} */ listContext = /** @type {?} */ ((null)); if (cssSelectors.length > 1) { listContext = new SelectorListContext(cssSelectors); this._listContexts.push(listContext); } for (let /** @type {?} */ i = 0; i < cssSelectors.length; i++) { this._addSelectable(cssSelectors[i], callbackCtxt, listContext); } } /** * Add an object that can be found later on by calling `match`. * @param {?} cssSelector A css selector * @param {?} callbackCtxt An opaque object that will be given to the callback of the `match` function * @param {?} listContext * @return {?} */ _addSelectable(cssSelector, callbackCtxt, listContext) { let /** @type {?} */ matcher = this; const /** @type {?} */ element = cssSelector.element; const /** @type {?} */ classNames = cssSelector.classNames; const /** @type {?} */ attrs = cssSelector.attrs; const /** @type {?} */ selectable = new SelectorContext(cssSelector, callbackCtxt, listContext); if (element) { const /** @type {?} */ isTerminal = attrs.length === 0 && classNames.length === 0; if (isTerminal) { this._addTerminal(matcher._elementMap, element, selectable); } else { matcher = this._addPartial(matcher._elementPartialMap, element); } } if (classNames) { for (let /** @type {?} */ i = 0; i < classNames.length; i++) { const /** @type {?} */ isTerminal = attrs.length === 0 && i === classNames.length - 1; const /** @type {?} */ className = classNames[i]; if (isTerminal) { this._addTerminal(matcher._classMap, className, selectable); } else { matcher = this._addPartial(matcher._classPartialMap, className); } } } if (attrs) { for (let /** @type {?} */ i = 0; i < attrs.length; i += 2) { const /** @type {?} */ isTerminal = i === attrs.length - 2; const /** @type {?} */ name = attrs[i]; const /** @type {?} */ value = attrs[i + 1]; if (isTerminal) { const /** @type {?} */ terminalMap = matcher._attrValueMap; let /** @type {?} */ terminalValuesMap = terminalMap.get(name); if (!terminalValuesMap) { terminalValuesMap = new Map(); terminalMap.set(name, terminalValuesMap); } this._addTerminal(terminalValuesMap, value, selectable); } else { const /** @type {?} */ partialMap = matcher._attrValuePartialMap; let /** @type {?} */ partialValuesMap = partialMap.get(name); if (!partialValuesMap) { partialValuesMap = new Map(); partialMap.set(name, partialValuesMap); } matcher = this._addPartial(partialValuesMap, value); } } } } /** * @param {?} map * @param {?} name * @param {?} selectable * @return {?} */ _addTerminal(map, name, selectable) { let /** @type {?} */ terminalList = map.get(name); if (!terminalList) { terminalList = []; map.set(name, terminalList); } terminalList.push(selectable); } /** * @param {?} map * @param {?} name * @return {?} */ _addPartial(map, name) { let /** @type {?} */ matcher = map.get(name); if (!matcher) { matcher = new SelectorMatcher(); map.set(name, matcher); } return matcher; } /** * Find the objects that have been added via `addSelectable` * whose css selector is contained in the given css selector. * @param {?} cssSelector A css selector * @param {?} matchedCallback This callback will be called with the object handed into `addSelectable` * @return {?} boolean true if a match was found */ match(cssSelector, matchedCallback) { let /** @type {?} */ result = false; const /** @type {?} */ element = /** @type {?} */ ((cssSelector.element)); const /** @type {?} */ classNames = cssSelector.classNames; const /** @type {?} */ attrs = cssSelector.attrs; for (let /** @type {?} */ i = 0; i < this._listContexts.length; i++) { this._listContexts[i].alreadyMatched = false; } result = this._matchTerminal(this._elementMap, element, cssSelector, matchedCallback) || result; result = this._matchPartial(this._elementPartialMap, element, cssSelector, matchedCallback) || result; if (classNames) { for (let /** @type {?} */ i = 0; i < classNames.length; i++) { const /** @type {?} */ className = classNames[i]; result = this._matchTerminal(this._classMap, className, cssSelector, matchedCallback) || result; result = this._matchPartial(this._classPartialMap, className, cssSelector, matchedCallback) || result; } } if (attrs) { for (let /** @type {?} */ i = 0; i < attrs.length; i += 2) { const /** @type {?} */ name = attrs[i]; const /** @type {?} */ value = attrs[i + 1]; const /** @type {?} */ terminalValuesMap = /** @type {?} */ ((this._attrValueMap.get(name))); if (value) { result = this._matchTerminal(terminalValuesMap, '', cssSelector, matchedCallback) || result; } result = this._matchTerminal(terminalValuesMap, value, cssSelector, matchedCallback) || result; const /** @type {?} */ partialValuesMap = /** @type {?} */ ((this._attrValuePartialMap.get(name))); if (value) { result = this._matchPartial(partialValuesMap, '', cssSelector, matchedCallback) || result; } result = this._matchPartial(partialValuesMap, value, cssSelector, matchedCallback) || result; } } return result; } /** * \@internal * @param {?} map * @param {?} name * @param {?} cssSelector * @param {?} matchedCallback * @return {?} */ _matchTerminal(map, name, cssSelector, matchedCallback) { if (!map || typeof name !== 'string') { return false; } let /** @type {?} */ selectables = map.get(name) || []; const /** @type {?} */ starSelectables = /** @type {?} */ ((map.get('*'))); if (starSelectables) { selectables = selectables.concat(starSelectables); } if (selectables.length === 0) { return false; } let /** @type {?} */ selectable; let /** @type {?} */ result = false; for (let /** @type {?} */ i = 0; i < selectables.length; i++) { selectable = selectables[i]; result = selectable.finalize(cssSelector, matchedCallback) || result; } return result; } /** * \@internal * @param {?} map * @param {?} name * @param {?} cssSelector * @param {?} matchedCallback * @return {?} */ _matchPartial(map, name, cssSelector, matchedCallback) { if (!map || typeof name !== 'string') { return false; } const /** @type {?} */ nestedSelector = map.get(name); if (!nestedSelector) { return false; } // TODO(perf): get rid of recursion and measure again // TODO(perf): don't pass the whole selector into the recursion, // but only the not processed parts return nestedSelector.match(cssSelector, matchedCallback); } } class SelectorListContext { /** * @param {?} selectors */ constructor(selectors) { this.selectors = selectors; this.alreadyMatched = false; } } class SelectorContext { /** * @param {?} selector * @param {?} cbContext * @param {?} listContext */ constructor(selector, cbContext, listContext) { this.selector = selector; this.cbContext = cbContext; this.listContext = listContext; this.notSelectors = selector.notSelectors; } /** * @param {?} cssSelector * @param {?} callback * @return {?} */ finalize(cssSelector, callback) { let /** @type {?} */ result = true; if (this.notSelectors.length > 0 && (!this.listContext || !this.listContext.alreadyMatched)) { const /** @type {?} */ notMatcher = SelectorMatcher.createNotMatcher(this.notSelectors); result = !notMatcher.match(cssSelector, null); } if (result && callback && (!this.listContext || !this.listContext.alreadyMatched)) { if (this.listContext) { this.listContext.alreadyMatched = true; } callback(this.selector, this.cbContext); } return result; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const ERROR_COMPONENT_TYPE = 'ngComponentType'; class CompileMetadataResolver { /** * @param {?} _config * @param {?} _htmlParser * @param {?} _ngModuleResolver * @param {?} _directiveResolver * @param {?} _pipeResolver * @param {?} _summaryResolver * @param {?} _schemaRegistry * @param {?} _directiveNormalizer * @param {?} _console * @param {?} _staticSymbolCache * @param {?} _reflector * @param {?=} _errorCollector */ constructor(_config, _htmlParser, _ngModuleResolver, _directiveResolver, _pipeResolver, _summaryResolver, _schemaRegistry, _directiveNormalizer, _console, _staticSymbolCache, _reflector, _errorCollector) { this._config = _config; this._htmlParser = _htmlParser; this._ngModuleResolver = _ngModuleResolver; this._directiveResolver = _directiveResolver; this._pipeResolver = _pipeResolver; this._summaryResolver = _summaryResolver; this._schemaRegistry = _schemaRegistry; this._directiveNormalizer = _directiveNormalizer; this._console = _console; this._staticSymbolCache = _staticSymbolCache; this._reflector = _reflector; this._errorCollector = _errorCollector; this._nonNormalizedDirectiveCache = new Map(); this._directiveCache = new Map(); this._summaryCache = new Map(); this._pipeCache = new Map(); this._ngModuleCache = new Map(); this._ngModuleOfTypes = new Map(); } /** * @return {?} */ getReflector() { return this._reflector; } /** * @param {?} type * @return {?} */ clearCacheFor(type) { const /** @type {?} */ dirMeta = this._directiveCache.get(type); this._directiveCache.delete(type); this._nonNormalizedDirectiveCache.delete(type); this._summaryCache.delete(type); this._pipeCache.delete(type); this._ngModuleOfTypes.delete(type); // Clear all of the NgModule as they contain transitive information! this._ngModuleCache.clear(); if (dirMeta) { this._directiveNormalizer.clearCacheFor(dirMeta); } } /** * @return {?} */ clearCache() { this._directiveCache.clear(); this._nonNormalizedDirectiveCache.clear(); this._summaryCache.clear(); this._pipeCache.clear(); this._ngModuleCache.clear(); this._ngModuleOfTypes.clear(); this._directiveNormalizer.clearCache(); } /** * @param {?} baseType * @param {?} name * @return {?} */ _createProxyClass(baseType, name) { let /** @type {?} */ delegate = null; const /** @type {?} */ proxyClass = /** @type {?} */ (function () { if (!delegate) { throw new Error(`Illegal state: Class ${name} for type ${stringify(baseType)} is not compiled yet!`); } return delegate.apply(this, arguments); }); proxyClass.setDelegate = (d) => { delegate = d; (/** @type {?} */ (proxyClass)).prototype = d.prototype; }; // Make stringify work correctly (/** @type {?} */ (proxyClass)).overriddenName = name; return proxyClass; } /** * @param {?} dirType * @param {?} name * @return {?} */ getGeneratedClass(dirType, name) { if (dirType instanceof StaticSymbol) { return this._staticSymbolCache.get(ngfactoryFilePath(dirType.filePath), name); } else { return this._createProxyClass(dirType, name); } } /** * @param {?} dirType * @return {?} */ getComponentViewClass(dirType) { return this.getGeneratedClass(dirType, viewClassName(dirType, 0)); } /** * @param {?} dirType * @return {?} */ getHostComponentViewClass(dirType) { return this.getGeneratedClass(dirType, hostViewClassName(dirType)); } /** * @param {?} dirType * @return {?} */ getHostComponentType(dirType) { const /** @type {?} */ name = `${identifierName({ reference: dirType })}_Host`; if (dirType instanceof StaticSymbol) { return this._staticSymbolCache.get(dirType.filePath, name); } else { const /** @type {?} */ HostClass = /** @type {?} */ (function HostClass() { }); HostClass.overriddenName = name; return HostClass; } } /** * @param {?} dirType * @return {?} */ getRendererType(dirType) { if (dirType instanceof StaticSymbol) { return this._staticSymbolCache.get(ngfactoryFilePath(dirType.filePath), rendererTypeName(dirType)); } else { // returning an object as proxy, // that we fill later during runtime compilation. return /** @type {?} */ ({}); } } /** * @param {?} selector * @param {?} dirType * @param {?} inputs * @param {?} outputs * @return {?} */ getComponentFactory(selector, dirType, inputs, outputs) { if (dirType instanceof StaticSymbol) { return this._staticSymbolCache.get(ngfactoryFilePath(dirType.filePath), componentFactoryName(dirType)); } else { const /** @type {?} */ hostView = this.getHostComponentViewClass(dirType); // Note: ngContentSelectors will be filled later once the template is // loaded. const /** @type {?} */ createComponentFactory = this._reflector.resolveExternalReference(Identifiers.createComponentFactory); return createComponentFactory(selector, dirType, /** @type {?} */ (hostView), inputs, outputs, []); } } /** * @param {?} factory * @param {?} ngContentSelectors * @return {?} */ initComponentFactory(factory, ngContentSelectors) { if (!(factory instanceof StaticSymbol)) { (/** @type {?} */ (factory)).ngContentSelectors.push(...ngContentSelectors); } } /** * @param {?} type * @param {?} kind * @return {?} */ _loadSummary(type, kind) { let /** @type {?} */ typeSummary = this._summaryCache.get(type); if (!typeSummary) { const /** @type {?} */ summary = this._summaryResolver.resolveSummary(type); typeSummary = summary ? summary.type : null; this._summaryCache.set(type, typeSummary || null); } return typeSummary && typeSummary.summaryKind === kind ? typeSummary : null; } /** * @param {?} compMeta * @param {?=} hostViewType * @return {?} */ getHostComponentMetadata(compMeta, hostViewType) { const /** @type {?} */ hostType = this.getHostComponentType(compMeta.type.reference); if (!hostViewType) { hostViewType = this.getHostComponentViewClass(hostType); } // Note: ! is ok here as this method should only be called with normalized directive // metadata, which always fills in the selector. const /** @type {?} */ template = CssSelector.parse(/** @type {?} */ ((compMeta.selector)))[0].getMatchingElementTemplate(); const /** @type {?} */ templateUrl = ''; const /** @type {?} */ htmlAst = this._htmlParser.parse(template, templateUrl); return CompileDirectiveMetadata.create({ isHost: true, type: { reference: hostType, diDeps: [], lifecycleHooks: [] }, template: new CompileTemplateMetadata({ encapsulation: ViewEncapsulation.None, template, templateUrl, htmlAst, styles: [], styleUrls: [], ngContentSelectors: [], animations: [], isInline: true, externalStylesheets: [], interpolation: null, preserveWhitespaces: false, }), exportAs: null, changeDetection: ChangeDetectionStrategy.Default, inputs: [], outputs: [], host: {}, isComponent: true, selector: '*', providers: [], viewProviders: [], queries: [], guards: {}, viewQueries: [], componentViewType: hostViewType, rendererType: /** @type {?} */ ({ id: '__Host__', encapsulation: ViewEncapsulation.None, styles: [], data: {} }), entryComponents: [], componentFactory: null }); } /** * @param {?} ngModuleType * @param {?} directiveType * @param {?} isSync * @return {?} */ loadDirectiveMetadata(ngModuleType, directiveType, isSync) { if (this._directiveCache.has(directiveType)) { return null; } directiveType = resolveForwardRef(directiveType); const { annotation, metadata } = /** @type {?} */ ((this.getNonNormalizedDirectiveMetadata(directiveType))); const /** @type {?} */ createDirectiveMetadata = (templateMetadata) => { const /** @type {?} */ normalizedDirMeta = new CompileDirectiveMetadata({ isHost: false, type: metadata.type, isComponent: metadata.isComponent, selector: metadata.selector, exportAs: metadata.exportAs, changeDetection: metadata.changeDetection, inputs: metadata.inputs, outputs: metadata.outputs, hostListeners: metadata.hostListeners, hostProperties: metadata.hostProperties, hostAttributes: metadata.hostAttributes, providers: metadata.providers, viewProviders: metadata.viewProviders, queries: metadata.queries, guards: metadata.guards, viewQueries: metadata.viewQueries, entryComponents: metadata.entryComponents, componentViewType: metadata.componentViewType, rendererType: metadata.rendererType, componentFactory: metadata.componentFactory, template: templateMetadata }); if (templateMetadata) { this.initComponentFactory(/** @type {?} */ ((metadata.componentFactory)), templateMetadata.ngContentSelectors); } this._directiveCache.set(directiveType, normalizedDirMeta); this._summaryCache.set(directiveType, normalizedDirMeta.toSummary()); return null; }; if (metadata.isComponent) { const /** @type {?} */ template = /** @type {?} */ ((metadata.template)); const /** @type {?} */ templateMeta = this._directiveNormalizer.normalizeTemplate({ ngModuleType, componentType: directiveType, moduleUrl: this._reflector.componentModuleUrl(directiveType, annotation), encapsulation: template.encapsulation, template: template.template, templateUrl: template.templateUrl, styles: template.styles, styleUrls: template.styleUrls, animations: template.animations, interpolation: template.interpolation, preserveWhitespaces: template.preserveWhitespaces }); if (isPromise(templateMeta) && isSync) { this._reportError(componentStillLoadingError(directiveType), directiveType); return null; } return SyncAsync.then(templateMeta, createDirectiveMetadata); } else { // directive createDirectiveMetadata(null); return null; } } /** * @param {?} directiveType * @return {?} */ getNonNormalizedDirectiveMetadata(directiveType) { directiveType = resolveForwardRef(directiveType); if (!directiveType) { return null; } let /** @type {?} */ cacheEntry = this._nonNormalizedDirectiveCache.get(directiveType); if (cacheEntry) { return cacheEntry; } const /** @type {?} */ dirMeta = this._directiveResolver.resolve(directiveType, false); if (!dirMeta) { return null; } let /** @type {?} */ nonNormalizedTemplateMetadata = /** @type {?} */ ((undefined)); if (createComponent.isTypeOf(dirMeta)) { // component const /** @type {?} */ compMeta = /** @type {?} */ (dirMeta); assertArrayOfStrings('styles', compMeta.styles); assertArrayOfStrings('styleUrls', compMeta.styleUrls); assertInterpolationSymbols('interpolation', compMeta.interpolation); const /** @type {?} */ animations = compMeta.animations; nonNormalizedTemplateMetadata = new CompileTemplateMetadata({ encapsulation: noUndefined(compMeta.encapsulation), template: noUndefined(compMeta.template), templateUrl: noUndefined(compMeta.templateUrl), htmlAst: null, styles: compMeta.styles || [], styleUrls: compMeta.styleUrls || [], animations: animations || [], interpolation: noUndefined(compMeta.interpolation), isInline: !!compMeta.template, externalStylesheets: [], ngContentSelectors: [], preserveWhitespaces: noUndefined(dirMeta.preserveWhitespaces), }); } let /** @type {?} */ changeDetectionStrategy = /** @type {?} */ ((null)); let /** @type {?} */ viewProviders = []; let /** @type {?} */ entryComponentMetadata = []; let /** @type {?} */ selector = dirMeta.selector; if (createComponent.isTypeOf(dirMeta)) { // Component const /** @type {?} */ compMeta = /** @type {?} */ (dirMeta); changeDetectionStrategy = /** @type {?} */ ((compMeta.changeDetection)); if (compMeta.viewProviders) { viewProviders = this._getProvidersMetadata(compMeta.viewProviders, entryComponentMetadata, `viewProviders for "${stringifyType(directiveType)}"`, [], directiveType); } if (compMeta.entryComponents) { entryComponentMetadata = flattenAndDedupeArray(compMeta.entryComponents) .map((type) => /** @type {?} */ ((this._getEntryComponentMetadata(type)))) .concat(entryComponentMetadata); } if (!selector) { selector = this._schemaRegistry.getDefaultComponentElementName(); } } else { // Directive if (!selector) { this._reportError(syntaxError(`Directive ${stringifyType(directiveType)} has no selector, please add it!`), directiveType); selector = 'error'; } } let /** @type {?} */ providers = []; if (dirMeta.providers != null) { providers = this._getProvidersMetadata(dirMeta.providers, entryComponentMetadata, `providers for "${stringifyType(directiveType)}"`, [], directiveType); } let /** @type {?} */ queries = []; let /** @type {?} */ viewQueries = []; if (dirMeta.queries != null) { queries = this._getQueriesMetadata(dirMeta.queries, false, directiveType); viewQueries = this._getQueriesMetadata(dirMeta.queries, true, directiveType); } const /** @type {?} */ metadata = CompileDirectiveMetadata.create({ isHost: false, selector: selector, exportAs: noUndefined(dirMeta.exportAs), isComponent: !!nonNormalizedTemplateMetadata, type: this._getTypeMetadata(directiveType), template: nonNormalizedTemplateMetadata, changeDetection: changeDetectionStrategy, inputs: dirMeta.inputs || [], outputs: dirMeta.outputs || [], host: dirMeta.host || {}, providers: providers || [], viewProviders: viewProviders || [], queries: queries || [], guards: dirMeta.guards || {}, viewQueries: viewQueries || [], entryComponents: entryComponentMetadata, componentViewType: nonNormalizedTemplateMetadata ? this.getComponentViewClass(directiveType) : null, rendererType: nonNormalizedTemplateMetadata ? this.getRendererType(directiveType) : null, componentFactory: null }); if (nonNormalizedTemplateMetadata) { metadata.componentFactory = this.getComponentFactory(selector, directiveType, metadata.inputs, metadata.outputs); } cacheEntry = { metadata, annotation: dirMeta }; this._nonNormalizedDirectiveCache.set(directiveType, cacheEntry); return cacheEntry; } /** * Gets the metadata for the given directive. * This assumes `loadNgModuleDirectiveAndPipeMetadata` has been called first. * @param {?} directiveType * @return {?} */ getDirectiveMetadata(directiveType) { const /** @type {?} */ dirMeta = /** @type {?} */ ((this._directiveCache.get(directiveType))); if (!dirMeta) { this._reportError(syntaxError(`Illegal state: getDirectiveMetadata can only be called after loadNgModuleDirectiveAndPipeMetadata for a module that declares it. Directive ${stringifyType(directiveType)}.`), directiveType); } return dirMeta; } /** * @param {?} dirType * @return {?} */ getDirectiveSummary(dirType) { const /** @type {?} */ dirSummary = /** @type {?} */ (this._loadSummary(dirType, CompileSummaryKind.Directive)); if (!dirSummary) { this._reportError(syntaxError(`Illegal state: Could not load the summary for directive ${stringifyType(dirType)}.`), dirType); } return dirSummary; } /** * @param {?} type * @return {?} */ isDirective(type) { return !!this._loadSummary(type, CompileSummaryKind.Directive) || this._directiveResolver.isDirective(type); } /** * @param {?} type * @return {?} */ isPipe(type) { return !!this._loadSummary(type, CompileSummaryKind.Pipe) || this._pipeResolver.isPipe(type); } /** * @param {?} type * @return {?} */ isNgModule(type) { return !!this._loadSummary(type, CompileSummaryKind.NgModule) || this._ngModuleResolver.isNgModule(type); } /** * @param {?} moduleType * @param {?=} alreadyCollecting * @return {?} */ getNgModuleSummary(moduleType, alreadyCollecting = null) { let /** @type {?} */ moduleSummary = /** @type {?} */ (this._loadSummary(moduleType, CompileSummaryKind.NgModule)); if (!moduleSummary) { const /** @type {?} */ moduleMeta = this.getNgModuleMetadata(moduleType, false, alreadyCollecting); moduleSummary = moduleMeta ? moduleMeta.toSummary() : null; if (moduleSummary) { this._summaryCache.set(moduleType, moduleSummary); } } return moduleSummary; } /** * Loads the declared directives and pipes of an NgModule. * @param {?} moduleType * @param {?} isSync * @param {?=} throwIfNotFound * @return {?} */ loadNgModuleDirectiveAndPipeMetadata(moduleType, isSync, throwIfNotFound = true) { const /** @type {?} */ ngModule = this.getNgModuleMetadata(moduleType, throwIfNotFound); const /** @type {?} */ loading = []; if (ngModule) { ngModule.declaredDirectives.forEach((id) => { const /** @type {?} */ promise = this.loadDirectiveMetadata(moduleType, id.reference, isSync); if (promise) { loading.push(promise); } }); ngModule.declaredPipes.forEach((id) => this._loadPipeMetadata(id.reference)); } return Promise.all(loading); } /** * @param {?} moduleType * @param {?=} throwIfNotFound * @param {?=} alreadyCollecting * @return {?} */ getNgModuleMetadata(moduleType, throwIfNotFound = true, alreadyCollecting = null) { moduleType = resolveForwardRef(moduleType); let /** @type {?} */ compileMeta = this._ngModuleCache.get(moduleType); if (compileMeta) { return compileMeta; } const /** @type {?} */ meta = this._ngModuleResolver.resolve(moduleType, throwIfNotFound); if (!meta) { return null; } const /** @type {?} */ declaredDirectives = []; const /** @type {?} */ exportedNonModuleIdentifiers = []; const /** @type {?} */ declaredPipes = []; const /** @type {?} */ importedModules = []; const /** @type {?} */ exportedModules = []; const /** @type {?} */ providers = []; const /** @type {?} */ entryComponents = []; const /** @type {?} */ bootstrapComponents = []; const /** @type {?} */ schemas = []; if (meta.imports) { flattenAndDedupeArray(meta.imports).forEach((importedType) => { let /** @type {?} */ importedModuleType = /** @type {?} */ ((undefined)); if (isValidType(importedType)) { importedModuleType = importedType; } else if (importedType && importedType.ngModule) { const /** @type {?} */ moduleWithProviders = importedType; importedModuleType = moduleWithProviders.ngModule; if (moduleWithProviders.providers) { providers.push(...this._getProvidersMetadata(moduleWithProviders.providers, entryComponents, `provider for the NgModule '${stringifyType(importedModuleType)}'`, [], importedType)); } } if (importedModuleType) { if (this._checkSelfImport(moduleType, importedModuleType)) return; if (!alreadyCollecting) alreadyCollecting = new Set(); if (alreadyCollecting.has(importedModuleType)) { this._reportError(syntaxError(`${this._getTypeDescriptor(importedModuleType)} '${stringifyType(importedType)}' is imported recursively by the module '${stringifyType(moduleType)}'.`), moduleType); return; } alreadyCollecting.add(importedModuleType); const /** @type {?} */ importedModuleSummary = this.getNgModuleSummary(importedModuleType, alreadyCollecting); alreadyCollecting.delete(importedModuleType); if (!importedModuleSummary) { this._reportError(syntaxError(`Unexpected ${this._getTypeDescriptor(importedType)} '${stringifyType(importedType)}' imported by the module '${stringifyType(moduleType)}'. Please add a @NgModule annotation.`), moduleType); return; } importedModules.push(importedModuleSummary); } else { this._reportError(syntaxError(`Unexpected value '${stringifyType(importedType)}' imported by the module '${stringifyType(moduleType)}'`), moduleType); return; } }); } if (meta.exports) { flattenAndDedupeArray(meta.exports).forEach((exportedType) => { if (!isValidType(exportedType)) { this._reportError(syntaxError(`Unexpected value '${stringifyType(exportedType)}' exported by the module '${stringifyType(moduleType)}'`), moduleType); return; } if (!alreadyCollecting) alreadyCollecting = new Set(); if (alreadyCollecting.has(exportedType)) { this._reportError(syntaxError(`${this._getTypeDescriptor(exportedType)} '${stringify(exportedType)}' is exported recursively by the module '${stringifyType(moduleType)}'`), moduleType); return; } alreadyCollecting.add(exportedType); const /** @type {?} */ exportedModuleSummary = this.getNgModuleSummary(exportedType, alreadyCollecting); alreadyCollecting.delete(exportedType); if (exportedModuleSummary) { exportedModules.push(exportedModuleSummary); } else { exportedNonModuleIdentifiers.push(this._getIdentifierMetadata(exportedType)); } }); } // Note: This will be modified later, so we rely on // getting a new instance every time! const /** @type {?} */ transitiveModule = this._getTransitiveNgModuleMetadata(importedModules, exportedModules); if (meta.declarations) { flattenAndDedupeArray(meta.declarations).forEach((declaredType) => { if (!isValidType(declaredType)) { this._reportError(syntaxError(`Unexpected value '${stringifyType(declaredType)}' declared by the module '${stringifyType(moduleType)}'`), moduleType); return; } const /** @type {?} */ declaredIdentifier = this._getIdentifierMetadata(declaredType); if (this.isDirective(declaredType)) { transitiveModule.addDirective(declaredIdentifier); declaredDirectives.push(declaredIdentifier); this._addTypeToModule(declaredType, moduleType); } else if (this.isPipe(declaredType)) { transitiveModule.addPipe(declaredIdentifier); transitiveModule.pipes.push(declaredIdentifier); declaredPipes.push(declaredIdentifier); this._addTypeToModule(declaredType, moduleType); } else { this._reportError(syntaxError(`Unexpected ${this._getTypeDescriptor(declaredType)} '${stringifyType(declaredType)}' declared by the module '${stringifyType(moduleType)}'. Please add a @Pipe/@Directive/@Component annotation.`), moduleType); return; } }); } const /** @type {?} */ exportedDirectives = []; const /** @type {?} */ exportedPipes = []; exportedNonModuleIdentifiers.forEach((exportedId) => { if (transitiveModule.directivesSet.has(exportedId.reference)) { exportedDirectives.push(exportedId); transitiveModule.addExportedDirective(exportedId); } else if (transitiveModule.pipesSet.has(exportedId.reference)) { exportedPipes.push(exportedId); transitiveModule.addExportedPipe(exportedId); } else { this._reportError(syntaxError(`Can't export ${this._getTypeDescriptor(exportedId.reference)} ${stringifyType(exportedId.reference)} from ${stringifyType(moduleType)} as it was neither declared nor imported!`), moduleType); return; } }); // The providers of the module have to go last // so that they overwrite any other provider we already added. if (meta.providers) { providers.push(...this._getProvidersMetadata(meta.providers, entryComponents, `provider for the NgModule '${stringifyType(moduleType)}'`, [], moduleType)); } if (meta.entryComponents) { entryComponents.push(...flattenAndDedupeArray(meta.entryComponents) .map(type => /** @type {?} */ ((this._getEntryComponentMetadata(type))))); } if (meta.bootstrap) { flattenAndDedupeArray(meta.bootstrap).forEach(type => { if (!isValidType(type)) { this._reportError(syntaxError(`Unexpected value '${stringifyType(type)}' used in the bootstrap property of module '${stringifyType(moduleType)}'`), moduleType); return; } bootstrapComponents.push(this._getIdentifierMetadata(type)); }); } entryComponents.push(...bootstrapComponents.map(type => /** @type {?} */ ((this._getEntryComponentMetadata(type.reference))))); if (meta.schemas) { schemas.push(...flattenAndDedupeArray(meta.schemas)); } compileMeta = new CompileNgModuleMetadata({ type: this._getTypeMetadata(moduleType), providers, entryComponents, bootstrapComponents, schemas, declaredDirectives, exportedDirectives, declaredPipes, exportedPipes, importedModules, exportedModules, transitiveModule, id: meta.id || null, }); entryComponents.forEach((id) => transitiveModule.addEntryComponent(id)); providers.forEach((provider) => transitiveModule.addProvider(provider, /** @type {?} */ ((compileMeta)).type)); transitiveModule.addModule(compileMeta.type); this._ngModuleCache.set(moduleType, compileMeta); return compileMeta; } /** * @param {?} moduleType * @param {?} importedModuleType * @return {?} */ _checkSelfImport(moduleType, importedModuleType) { if (moduleType === importedModuleType) { this._reportError(syntaxError(`'${stringifyType(moduleType)}' module can't import itself`), moduleType); return true; } return false; } /** * @param {?} type * @return {?} */ _getTypeDescriptor(type) { if (isValidType(type)) { if (this.isDirective(type)) { return 'directive'; } if (this.isPipe(type)) { return 'pipe'; } if (this.isNgModule(type)) { return 'module'; } } if ((/** @type {?} */ (type)).provide) { return 'provider'; } return 'value'; } /** * @param {?} type * @param {?} moduleType * @return {?} */ _addTypeToModule(type, moduleType) { const /** @type {?} */ oldModule = this._ngModuleOfTypes.get(type); if (oldModule && oldModule !== moduleType) { this._reportError(syntaxError(`Type ${stringifyType(type)} is part of the declarations of 2 modules: ${stringifyType(oldModule)} and ${stringifyType(moduleType)}! ` + `Please consider moving ${stringifyType(type)} to a higher module that imports ${stringifyType(oldModule)} and ${stringifyType(moduleType)}. ` + `You can also create a new NgModule that exports and includes ${stringifyType(type)} then import that NgModule in ${stringifyType(oldModule)} and ${stringifyType(moduleType)}.`), moduleType); return; } this._ngModuleOfTypes.set(type, moduleType); } /** * @param {?} importedModules * @param {?} exportedModules * @return {?} */ _getTransitiveNgModuleMetadata(importedModules, exportedModules) { // collect `providers` / `entryComponents` from all imported and all exported modules const /** @type {?} */ result = new TransitiveCompileNgModuleMetadata(); const /** @type {?} */ modulesByToken = new Map(); importedModules.concat(exportedModules).forEach((modSummary) => { modSummary.modules.forEach((mod) => result.addModule(mod)); modSummary.entryComponents.forEach((comp) => result.addEntryComponent(comp)); const /** @type {?} */ addedTokens = new Set(); modSummary.providers.forEach((entry) => { const /** @type {?} */ tokenRef = tokenReference(entry.provider.token); let /** @type {?} */ prevModules = modulesByToken.get(tokenRef); if (!prevModules) { prevModules = new Set(); modulesByToken.set(tokenRef, prevModules); } const /** @type {?} */ moduleRef = entry.module.reference; // Note: the providers of one module may still contain multiple providers // per token (e.g. for multi providers), and we need to preserve these. if (addedTokens.has(tokenRef) || !prevModules.has(moduleRef)) { prevModules.add(moduleRef); addedTokens.add(tokenRef); result.addProvider(entry.provider, entry.module); } }); }); exportedModules.forEach((modSummary) => { modSummary.exportedDirectives.forEach((id) => result.addExportedDirective(id)); modSummary.exportedPipes.forEach((id) => result.addExportedPipe(id)); }); importedModules.forEach((modSummary) => { modSummary.exportedDirectives.forEach((id) => result.addDirective(id)); modSummary.exportedPipes.forEach((id) => result.addPipe(id)); }); return result; } /** * @param {?} type * @return {?} */ _getIdentifierMetadata(type) { type = resolveForwardRef(type); return { reference: type }; } /** * @param {?} type * @return {?} */ isInjectable(type) { const /** @type {?} */ annotations = this._reflector.annotations(type); return annotations.some(ann => createInjectable.isTypeOf(ann)); } /** * @param {?} type * @return {?} */ getInjectableSummary(type) { return { summaryKind: CompileSummaryKind.Injectable, type: this._getTypeMetadata(type, null, false) }; } /** * @param {?} type * @param {?=} dependencies * @return {?} */ _getInjectableMetadata(type, dependencies = null) { const /** @type {?} */ typeSummary = this._loadSummary(type, CompileSummaryKind.Injectable); if (typeSummary) { return typeSummary.type; } return this._getTypeMetadata(type, dependencies); } /** * @param {?} type * @param {?=} dependencies * @param {?=} throwOnUnknownDeps * @return {?} */ _getTypeMetadata(type, dependencies = null, throwOnUnknownDeps = true) { const /** @type {?} */ identifier = this._getIdentifierMetadata(type); return { reference: identifier.reference, diDeps: this._getDependenciesMetadata(identifier.reference, dependencies, throwOnUnknownDeps), lifecycleHooks: getAllLifecycleHooks(this._reflector, identifier.reference), }; } /** * @param {?} factory * @param {?=} dependencies * @return {?} */ _getFactoryMetadata(factory, dependencies = null) { factory = resolveForwardRef(factory); return { reference: factory, diDeps: this._getDependenciesMetadata(factory, dependencies) }; } /** * Gets the metadata for the given pipe. * This assumes `loadNgModuleDirectiveAndPipeMetadata` has been called first. * @param {?} pipeType * @return {?} */ getPipeMetadata(pipeType) { const /** @type {?} */ pipeMeta = this._pipeCache.get(pipeType); if (!pipeMeta) { this._reportError(syntaxError(`Illegal state: getPipeMetadata can only be called after loadNgModuleDirectiveAndPipeMetadata for a module that declares it. Pipe ${stringifyType(pipeType)}.`), pipeType); } return pipeMeta || null; } /** * @param {?} pipeType * @return {?} */ getPipeSummary(pipeType) { const /** @type {?} */ pipeSummary = /** @type {?} */ (this._loadSummary(pipeType, CompileSummaryKind.Pipe)); if (!pipeSummary) { this._reportError(syntaxError(`Illegal state: Could not load the summary for pipe ${stringifyType(pipeType)}.`), pipeType); } return pipeSummary; } /** * @param {?} pipeType * @return {?} */ getOrLoadPipeMetadata(pipeType) { let /** @type {?} */ pipeMeta = this._pipeCache.get(pipeType); if (!pipeMeta) { pipeMeta = this._loadPipeMetadata(pipeType); } return pipeMeta; } /** * @param {?} pipeType * @return {?} */ _loadPipeMetadata(pipeType) { pipeType = resolveForwardRef(pipeType); const /** @type {?} */ pipeAnnotation = /** @type {?} */ ((this._pipeResolver.resolve(pipeType))); const /** @type {?} */ pipeMeta = new CompilePipeMetadata({ type: this._getTypeMetadata(pipeType), name: pipeAnnotation.name, pure: !!pipeAnnotation.pure }); this._pipeCache.set(pipeType, pipeMeta); this._summaryCache.set(pipeType, pipeMeta.toSummary()); return pipeMeta; } /** * @param {?} typeOrFunc * @param {?} dependencies * @param {?=} throwOnUnknownDeps * @return {?} */ _getDependenciesMetadata(typeOrFunc, dependencies, throwOnUnknownDeps = true) { let /** @type {?} */ hasUnknownDeps = false; const /** @type {?} */ params = dependencies || this._reflector.parameters(typeOrFunc) || []; const /** @type {?} */ dependenciesMetadata = params.map((param) => { let /** @type {?} */ isAttribute = false; let /** @type {?} */ isHost = false; let /** @type {?} */ isSelf = false; let /** @type {?} */ isSkipSelf = false; let /** @type {?} */ isOptional = false; let /** @type {?} */ token = null; if (Array.isArray(param)) { param.forEach((paramEntry) => { if (createHost.isTypeOf(paramEntry)) { isHost = true; } else if (createSelf.isTypeOf(paramEntry)) { isSelf = true; } else if (createSkipSelf.isTypeOf(paramEntry)) { isSkipSelf = true; } else if (createOptional.isTypeOf(paramEntry)) { isOptional = true; } else if (createAttribute.isTypeOf(paramEntry)) { isAttribute = true; token = paramEntry.attributeName; } else if (createInject.isTypeOf(paramEntry)) { token = paramEntry.token; } else if (createInjectionToken.isTypeOf(paramEntry) || paramEntry instanceof StaticSymbol) { token = paramEntry; } else if (isValidType(paramEntry) && token == null) { token = paramEntry; } }); } else { token = param; } if (token == null) { hasUnknownDeps = true; return /** @type {?} */ ((null)); } return { isAttribute, isHost, isSelf, isSkipSelf, isOptional, token: this._getTokenMetadata(token) }; }); if (hasUnknownDeps) { const /** @type {?} */ depsTokens = dependenciesMetadata.map((dep) => dep ? stringifyType(dep.token) : '?').join(', '); const /** @type {?} */ message = `Can't resolve all parameters for ${stringifyType(typeOrFunc)}: (${depsTokens}).`; if (throwOnUnknownDeps || this._config.strictInjectionParameters) { this._reportError(syntaxError(message), typeOrFunc); } else { this._console.warn(`Warning: ${message} This will become an error in Angular v6.x`); } } return dependenciesMetadata; } /** * @param {?} token * @return {?} */ _getTokenMetadata(token) { token = resolveForwardRef(token); let /** @type {?} */ compileToken; if (typeof token === 'string') { compileToken = { value: token }; } else { compileToken = { identifier: { reference: token } }; } return compileToken; } /** * @param {?} providers * @param {?} targetEntryComponents * @param {?=} debugInfo * @param {?=} compileProviders * @param {?=} type * @return {?} */ _getProvidersMetadata(providers, targetEntryComponents, debugInfo, compileProviders = [], type) { providers.forEach((provider, providerIdx) => { if (Array.isArray(provider)) { this._getProvidersMetadata(provider, targetEntryComponents, debugInfo, compileProviders); } else { provider = resolveForwardRef(provider); let /** @type {?} */ providerMeta = /** @type {?} */ ((undefined)); if (provider && typeof provider === 'object' && provider.hasOwnProperty('provide')) { this._validateProvider(provider); providerMeta = new ProviderMeta(provider.provide, provider); } else if (isValidType(provider)) { providerMeta = new ProviderMeta(provider, { useClass: provider }); } else if (provider === void 0) { this._reportError(syntaxError(`Encountered undefined provider! Usually this means you have a circular dependencies (might be caused by using 'barrel' index.ts files.`)); return; } else { const /** @type {?} */ providersInfo = (/** @type {?} */ (providers.reduce((soFar, seenProvider, seenProviderIdx) => { if (seenProviderIdx < providerIdx) { soFar.push(`${stringifyType(seenProvider)}`); } else if (seenProviderIdx == providerIdx) { soFar.push(`?${stringifyType(seenProvider)}?`); } else if (seenProviderIdx == providerIdx + 1) { soFar.push('...'); } return soFar; }, []))) .join(', '); this._reportError(syntaxError(`Invalid ${debugInfo ? debugInfo : 'provider'} - only instances of Provider and Type are allowed, got: [${providersInfo}]`), type); return; } if (providerMeta.token === this._reflector.resolveExternalReference(Identifiers.ANALYZE_FOR_ENTRY_COMPONENTS)) { targetEntryComponents.push(...this._getEntryComponentsFromProvider(providerMeta, type)); } else { compileProviders.push(this.getProviderMetadata(providerMeta)); } } }); return compileProviders; } /** * @param {?} provider * @return {?} */ _validateProvider(provider) { if (provider.hasOwnProperty('useClass') && provider.useClass == null) { this._reportError(syntaxError(`Invalid provider for ${stringifyType(provider.provide)}. useClass cannot be ${provider.useClass}. Usually it happens when: 1. There's a circular dependency (might be caused by using index.ts (barrel) files). 2. Class was used before it was declared. Use forwardRef in this case.`)); } } /** * @param {?} provider * @param {?=} type * @return {?} */ _getEntryComponentsFromProvider(provider, type) { const /** @type {?} */ components = []; const /** @type {?} */ collectedIdentifiers = []; if (provider.useFactory || provider.useExisting || provider.useClass) { this._reportError(syntaxError(`The ANALYZE_FOR_ENTRY_COMPONENTS token only supports useValue!`), type); return []; } if (!provider.multi) { this._reportError(syntaxError(`The ANALYZE_FOR_ENTRY_COMPONENTS token only supports 'multi = true'!`), type); return []; } extractIdentifiers(provider.useValue, collectedIdentifiers); collectedIdentifiers.forEach((identifier) => { const /** @type {?} */ entry = this._getEntryComponentMetadata(identifier.reference, false); if (entry) { components.push(entry); } }); return components; } /** * @param {?} dirType * @param {?=} throwIfNotFound * @return {?} */ _getEntryComponentMetadata(dirType, throwIfNotFound = true) { const /** @type {?} */ dirMeta = this.getNonNormalizedDirectiveMetadata(dirType); if (dirMeta && dirMeta.metadata.isComponent) { return { componentType: dirType, componentFactory: /** @type {?} */ ((dirMeta.metadata.componentFactory)) }; } const /** @type {?} */ dirSummary = /** @type {?} */ (this._loadSummary(dirType, CompileSummaryKind.Directive)); if (dirSummary && dirSummary.isComponent) { return { componentType: dirType, componentFactory: /** @type {?} */ ((dirSummary.componentFactory)) }; } if (throwIfNotFound) { throw syntaxError(`${dirType.name} cannot be used as an entry component.`); } return null; } /** * @param {?} provider * @return {?} */ getProviderMetadata(provider) { let /** @type {?} */ compileDeps = /** @type {?} */ ((undefined)); let /** @type {?} */ compileTypeMetadata = /** @type {?} */ ((null)); let /** @type {?} */ compileFactoryMetadata = /** @type {?} */ ((null)); let /** @type {?} */ token = this._getTokenMetadata(provider.token); if (provider.useClass) { compileTypeMetadata = this._getInjectableMetadata(provider.useClass, provider.dependencies); compileDeps = compileTypeMetadata.diDeps; if (provider.token === provider.useClass) { // use the compileTypeMetadata as it contains information about lifecycleHooks... token = { identifier: compileTypeMetadata }; } } else if (provider.useFactory) { compileFactoryMetadata = this._getFactoryMetadata(provider.useFactory, provider.dependencies); compileDeps = compileFactoryMetadata.diDeps; } return { token: token, useClass: compileTypeMetadata, useValue: provider.useValue, useFactory: compileFactoryMetadata, useExisting: provider.useExisting ? this._getTokenMetadata(provider.useExisting) : undefined, deps: compileDeps, multi: provider.multi }; } /** * @param {?} queries * @param {?} isViewQuery * @param {?} directiveType * @return {?} */ _getQueriesMetadata(queries, isViewQuery, directiveType) { const /** @type {?} */ res = []; Object.keys(queries).forEach((propertyName) => { const /** @type {?} */ query = queries[propertyName]; if (query.isViewQuery === isViewQuery) { res.push(this._getQueryMetadata(query, propertyName, directiveType)); } }); return res; } /** * @param {?} selector * @return {?} */ _queryVarBindings(selector) { return selector.split(/\s*,\s*/); } /** * @param {?} q * @param {?} propertyName * @param {?} typeOrFunc * @return {?} */ _getQueryMetadata(q, propertyName, typeOrFunc) { let /** @type {?} */ selectors; if (typeof q.selector === 'string') { selectors = this._queryVarBindings(q.selector).map(varName => this._getTokenMetadata(varName)); } else { if (!q.selector) { this._reportError(syntaxError(`Can't construct a query for the property "${propertyName}" of "${stringifyType(typeOrFunc)}" since the query selector wasn't defined.`), typeOrFunc); selectors = []; } else { selectors = [this._getTokenMetadata(q.selector)]; } } return { selectors, first: q.first, descendants: q.descendants, propertyName, read: q.read ? this._getTokenMetadata(q.read) : /** @type {?} */ ((null)) }; } /** * @param {?} error * @param {?=} type * @param {?=} otherType * @return {?} */ _reportError(error, type, otherType) { if (this._errorCollector) { this._errorCollector(error, type); if (otherType) { this._errorCollector(error, otherType); } } else { throw error; } } } /** * @param {?} tree * @param {?=} out * @return {?} */ function flattenArray(tree, out = []) { if (tree) { for (let /** @type {?} */ i = 0; i < tree.length; i++) { const /** @type {?} */ item = resolveForwardRef(tree[i]); if (Array.isArray(item)) { flattenArray(item, out); } else { out.push(item); } } } return out; } /** * @param {?} array * @return {?} */ function dedupeArray(array) { if (array) { return Array.from(new Set(array)); } return []; } /** * @param {?} tree * @return {?} */ function flattenAndDedupeArray(tree) { return dedupeArray(flattenArray(tree)); } /** * @param {?} value * @return {?} */ function isValidType(value) { return (value instanceof StaticSymbol) || (value instanceof Type); } /** * @param {?} value * @param {?} targetIdentifiers * @return {?} */ function extractIdentifiers(value, targetIdentifiers) { visitValue(value, new _CompileValueConverter(), targetIdentifiers); } class _CompileValueConverter extends ValueTransformer { /** * @param {?} value * @param {?} targetIdentifiers * @return {?} */ visitOther(value, targetIdentifiers) { targetIdentifiers.push({ reference: value }); } } /** * @param {?} type * @return {?} */ function stringifyType(type) { if (type instanceof StaticSymbol) { return `${type.name} in ${type.filePath}`; } else { return stringify(type); } } /** * Indicates that a component is still being loaded in a synchronous compile. * @param {?} compType * @return {?} */ function componentStillLoadingError(compType) { const /** @type {?} */ error = Error(`Can't compile synchronously as ${stringify(compType)} is still being loaded!`); (/** @type {?} */ (error))[ERROR_COMPONENT_TYPE] = compType; return error; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** @enum {number} */ const TypeModifier = { Const: 0, }; TypeModifier[TypeModifier.Const] = "Const"; /** * @abstract */ class Type$1 { /** * @param {?=} modifiers */ constructor(modifiers = null) { this.modifiers = modifiers; if (!modifiers) { this.modifiers = []; } } /** * @param {?} modifier * @return {?} */ hasModifier(modifier) { return /** @type {?} */ ((this.modifiers)).indexOf(modifier) !== -1; } } /** @enum {number} */ const BuiltinTypeName = { Dynamic: 0, Bool: 1, String: 2, Int: 3, Number: 4, Function: 5, Inferred: 6, }; BuiltinTypeName[BuiltinTypeName.Dynamic] = "Dynamic"; BuiltinTypeName[BuiltinTypeName.Bool] = "Bool"; BuiltinTypeName[BuiltinTypeName.String] = "String"; BuiltinTypeName[BuiltinTypeName.Int] = "Int"; BuiltinTypeName[BuiltinTypeName.Number] = "Number"; BuiltinTypeName[BuiltinTypeName.Function] = "Function"; BuiltinTypeName[BuiltinTypeName.Inferred] = "Inferred"; class BuiltinType extends Type$1 { /** * @param {?} name * @param {?=} modifiers */ constructor(name, modifiers = null) { super(modifiers); this.name = name; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitType(visitor, context) { return visitor.visitBuiltintType(this, context); } } class ExpressionType extends Type$1 { /** * @param {?} value * @param {?=} modifiers */ constructor(value, modifiers = null) { super(modifiers); this.value = value; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitType(visitor, context) { return visitor.visitExpressionType(this, context); } } class ArrayType extends Type$1 { /** * @param {?} of * @param {?=} modifiers */ constructor(of, modifiers = null) { super(modifiers); this.of = of; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitType(visitor, context) { return visitor.visitArrayType(this, context); } } class MapType extends Type$1 { /** * @param {?} valueType * @param {?=} modifiers */ constructor(valueType, modifiers = null) { super(modifiers); this.valueType = valueType || null; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitType(visitor, context) { return visitor.visitMapType(this, context); } } const DYNAMIC_TYPE = new BuiltinType(BuiltinTypeName.Dynamic); const INFERRED_TYPE = new BuiltinType(BuiltinTypeName.Inferred); const BOOL_TYPE = new BuiltinType(BuiltinTypeName.Bool); const INT_TYPE = new BuiltinType(BuiltinTypeName.Int); const NUMBER_TYPE = new BuiltinType(BuiltinTypeName.Number); const STRING_TYPE = new BuiltinType(BuiltinTypeName.String); const FUNCTION_TYPE = new BuiltinType(BuiltinTypeName.Function); /** * @record */ /** @enum {number} */ const BinaryOperator = { Equals: 0, NotEquals: 1, Identical: 2, NotIdentical: 3, Minus: 4, Plus: 5, Divide: 6, Multiply: 7, Modulo: 8, And: 9, Or: 10, Lower: 11, LowerEquals: 12, Bigger: 13, BiggerEquals: 14, }; BinaryOperator[BinaryOperator.Equals] = "Equals"; BinaryOperator[BinaryOperator.NotEquals] = "NotEquals"; BinaryOperator[BinaryOperator.Identical] = "Identical"; BinaryOperator[BinaryOperator.NotIdentical] = "NotIdentical"; BinaryOperator[BinaryOperator.Minus] = "Minus"; BinaryOperator[BinaryOperator.Plus] = "Plus"; BinaryOperator[BinaryOperator.Divide] = "Divide"; BinaryOperator[BinaryOperator.Multiply] = "Multiply"; BinaryOperator[BinaryOperator.Modulo] = "Modulo"; BinaryOperator[BinaryOperator.And] = "And"; BinaryOperator[BinaryOperator.Or] = "Or"; BinaryOperator[BinaryOperator.Lower] = "Lower"; BinaryOperator[BinaryOperator.LowerEquals] = "LowerEquals"; BinaryOperator[BinaryOperator.Bigger] = "Bigger"; BinaryOperator[BinaryOperator.BiggerEquals] = "BiggerEquals"; /** * @template T * @param {?} base * @param {?} other * @return {?} */ function nullSafeIsEquivalent(base, other) { if (base == null || other == null) { return base == other; } return base.isEquivalent(other); } /** * @template T * @param {?} base * @param {?} other * @return {?} */ function areAllEquivalent(base, other) { const /** @type {?} */ len = base.length; if (len !== other.length) { return false; } for (let /** @type {?} */ i = 0; i < len; i++) { if (!base[i].isEquivalent(other[i])) { return false; } } return true; } /** * @abstract */ class Expression { /** * @param {?} type * @param {?=} sourceSpan */ constructor(type, sourceSpan) { this.type = type || null; this.sourceSpan = sourceSpan || null; } /** * @param {?} name * @param {?=} sourceSpan * @return {?} */ prop(name, sourceSpan) { return new ReadPropExpr(this, name, null, sourceSpan); } /** * @param {?} index * @param {?=} type * @param {?=} sourceSpan * @return {?} */ key(index, type, sourceSpan) { return new ReadKeyExpr(this, index, type, sourceSpan); } /** * @param {?} name * @param {?} params * @param {?=} sourceSpan * @return {?} */ callMethod(name, params, sourceSpan) { return new InvokeMethodExpr(this, name, params, null, sourceSpan); } /** * @param {?} params * @param {?=} sourceSpan * @return {?} */ callFn(params, sourceSpan) { return new InvokeFunctionExpr(this, params, null, sourceSpan); } /** * @param {?} params * @param {?=} type * @param {?=} sourceSpan * @return {?} */ instantiate(params, type, sourceSpan) { return new InstantiateExpr(this, params, type, sourceSpan); } /** * @param {?} trueCase * @param {?=} falseCase * @param {?=} sourceSpan * @return {?} */ conditional(trueCase, falseCase = null, sourceSpan) { return new ConditionalExpr(this, trueCase, falseCase, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ equals(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Equals, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ notEquals(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.NotEquals, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ identical(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Identical, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ notIdentical(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.NotIdentical, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ minus(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Minus, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ plus(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Plus, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ divide(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Divide, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ multiply(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Multiply, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ modulo(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Modulo, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ and(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.And, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ or(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Or, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ lower(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Lower, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ lowerEquals(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.LowerEquals, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ bigger(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.Bigger, this, rhs, null, sourceSpan); } /** * @param {?} rhs * @param {?=} sourceSpan * @return {?} */ biggerEquals(rhs, sourceSpan) { return new BinaryOperatorExpr(BinaryOperator.BiggerEquals, this, rhs, null, sourceSpan); } /** * @param {?=} sourceSpan * @return {?} */ isBlank(sourceSpan) { // Note: We use equals by purpose here to compare to null and undefined in JS. // We use the typed null to allow strictNullChecks to narrow types. return this.equals(TYPED_NULL_EXPR, sourceSpan); } /** * @param {?} type * @param {?=} sourceSpan * @return {?} */ cast(type, sourceSpan) { return new CastExpr(this, type, sourceSpan); } /** * @return {?} */ toStmt() { return new ExpressionStatement(this, null); } } /** @enum {number} */ const BuiltinVar = { This: 0, Super: 1, CatchError: 2, CatchStack: 3, }; BuiltinVar[BuiltinVar.This] = "This"; BuiltinVar[BuiltinVar.Super] = "Super"; BuiltinVar[BuiltinVar.CatchError] = "CatchError"; BuiltinVar[BuiltinVar.CatchStack] = "CatchStack"; class ReadVarExpr extends Expression { /** * @param {?} name * @param {?=} type * @param {?=} sourceSpan */ constructor(name, type, sourceSpan) { super(type, sourceSpan); if (typeof name === 'string') { this.name = name; this.builtin = null; } else { this.name = null; this.builtin = /** @type {?} */ (name); } } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof ReadVarExpr && this.name === e.name && this.builtin === e.builtin; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitReadVarExpr(this, context); } /** * @param {?} value * @return {?} */ set(value) { if (!this.name) { throw new Error(`Built in variable ${this.builtin} can not be assigned to.`); } return new WriteVarExpr(this.name, value, null, this.sourceSpan); } } class WriteVarExpr extends Expression { /** * @param {?} name * @param {?} value * @param {?=} type * @param {?=} sourceSpan */ constructor(name, value, type, sourceSpan) { super(type || value.type, sourceSpan); this.name = name; this.value = value; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof WriteVarExpr && this.name === e.name && this.value.isEquivalent(e.value); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitWriteVarExpr(this, context); } /** * @param {?=} type * @param {?=} modifiers * @return {?} */ toDeclStmt(type, modifiers) { return new DeclareVarStmt(this.name, this.value, type, modifiers, this.sourceSpan); } } class WriteKeyExpr extends Expression { /** * @param {?} receiver * @param {?} index * @param {?} value * @param {?=} type * @param {?=} sourceSpan */ constructor(receiver, index, value, type, sourceSpan) { super(type || value.type, sourceSpan); this.receiver = receiver; this.index = index; this.value = value; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof WriteKeyExpr && this.receiver.isEquivalent(e.receiver) && this.index.isEquivalent(e.index) && this.value.isEquivalent(e.value); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitWriteKeyExpr(this, context); } } class WritePropExpr extends Expression { /** * @param {?} receiver * @param {?} name * @param {?} value * @param {?=} type * @param {?=} sourceSpan */ constructor(receiver, name, value, type, sourceSpan) { super(type || value.type, sourceSpan); this.receiver = receiver; this.name = name; this.value = value; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof WritePropExpr && this.receiver.isEquivalent(e.receiver) && this.name === e.name && this.value.isEquivalent(e.value); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitWritePropExpr(this, context); } } /** @enum {number} */ const BuiltinMethod = { ConcatArray: 0, SubscribeObservable: 1, Bind: 2, }; BuiltinMethod[BuiltinMethod.ConcatArray] = "ConcatArray"; BuiltinMethod[BuiltinMethod.SubscribeObservable] = "SubscribeObservable"; BuiltinMethod[BuiltinMethod.Bind] = "Bind"; class InvokeMethodExpr extends Expression { /** * @param {?} receiver * @param {?} method * @param {?} args * @param {?=} type * @param {?=} sourceSpan */ constructor(receiver, method, args, type, sourceSpan) { super(type, sourceSpan); this.receiver = receiver; this.args = args; if (typeof method === 'string') { this.name = method; this.builtin = null; } else { this.name = null; this.builtin = /** @type {?} */ (method); } } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof InvokeMethodExpr && this.receiver.isEquivalent(e.receiver) && this.name === e.name && this.builtin === e.builtin && areAllEquivalent(this.args, e.args); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitInvokeMethodExpr(this, context); } } class InvokeFunctionExpr extends Expression { /** * @param {?} fn * @param {?} args * @param {?=} type * @param {?=} sourceSpan */ constructor(fn, args, type, sourceSpan) { super(type, sourceSpan); this.fn = fn; this.args = args; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof InvokeFunctionExpr && this.fn.isEquivalent(e.fn) && areAllEquivalent(this.args, e.args); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitInvokeFunctionExpr(this, context); } } class InstantiateExpr extends Expression { /** * @param {?} classExpr * @param {?} args * @param {?=} type * @param {?=} sourceSpan */ constructor(classExpr, args, type, sourceSpan) { super(type, sourceSpan); this.classExpr = classExpr; this.args = args; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof InstantiateExpr && this.classExpr.isEquivalent(e.classExpr) && areAllEquivalent(this.args, e.args); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitInstantiateExpr(this, context); } } class LiteralExpr extends Expression { /** * @param {?} value * @param {?=} type * @param {?=} sourceSpan */ constructor(value, type, sourceSpan) { super(type, sourceSpan); this.value = value; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof LiteralExpr && this.value === e.value; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitLiteralExpr(this, context); } } class ExternalExpr extends Expression { /** * @param {?} value * @param {?=} type * @param {?=} typeParams * @param {?=} sourceSpan */ constructor(value, type, typeParams = null, sourceSpan) { super(type, sourceSpan); this.value = value; this.typeParams = typeParams; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof ExternalExpr && this.value.name === e.value.name && this.value.moduleName === e.value.moduleName && this.value.runtime === e.value.runtime; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitExternalExpr(this, context); } } class ExternalReference { /** * @param {?} moduleName * @param {?} name * @param {?=} runtime */ constructor(moduleName, name, runtime) { this.moduleName = moduleName; this.name = name; this.runtime = runtime; } } class ConditionalExpr extends Expression { /** * @param {?} condition * @param {?} trueCase * @param {?=} falseCase * @param {?=} type * @param {?=} sourceSpan */ constructor(condition, trueCase, falseCase = null, type, sourceSpan) { super(type || trueCase.type, sourceSpan); this.condition = condition; this.falseCase = falseCase; this.trueCase = trueCase; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof ConditionalExpr && this.condition.isEquivalent(e.condition) && this.trueCase.isEquivalent(e.trueCase) && nullSafeIsEquivalent(this.falseCase, e.falseCase); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitConditionalExpr(this, context); } } class NotExpr extends Expression { /** * @param {?} condition * @param {?=} sourceSpan */ constructor(condition, sourceSpan) { super(BOOL_TYPE, sourceSpan); this.condition = condition; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof NotExpr && this.condition.isEquivalent(e.condition); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitNotExpr(this, context); } } class AssertNotNull extends Expression { /** * @param {?} condition * @param {?=} sourceSpan */ constructor(condition, sourceSpan) { super(condition.type, sourceSpan); this.condition = condition; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof AssertNotNull && this.condition.isEquivalent(e.condition); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitAssertNotNullExpr(this, context); } } class CastExpr extends Expression { /** * @param {?} value * @param {?=} type * @param {?=} sourceSpan */ constructor(value, type, sourceSpan) { super(type, sourceSpan); this.value = value; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof CastExpr && this.value.isEquivalent(e.value); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitCastExpr(this, context); } } class FnParam { /** * @param {?} name * @param {?=} type */ constructor(name, type = null) { this.name = name; this.type = type; } /** * @param {?} param * @return {?} */ isEquivalent(param) { return this.name === param.name; } } class FunctionExpr extends Expression { /** * @param {?} params * @param {?} statements * @param {?=} type * @param {?=} sourceSpan */ constructor(params, statements, type, sourceSpan) { super(type, sourceSpan); this.params = params; this.statements = statements; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof FunctionExpr && areAllEquivalent(this.params, e.params) && areAllEquivalent(this.statements, e.statements); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitFunctionExpr(this, context); } /** * @param {?} name * @param {?=} modifiers * @return {?} */ toDeclStmt(name, modifiers = null) { return new DeclareFunctionStmt(name, this.params, this.statements, this.type, modifiers, this.sourceSpan); } } class BinaryOperatorExpr extends Expression { /** * @param {?} operator * @param {?} lhs * @param {?} rhs * @param {?=} type * @param {?=} sourceSpan */ constructor(operator, lhs, rhs, type, sourceSpan) { super(type || lhs.type, sourceSpan); this.operator = operator; this.rhs = rhs; this.lhs = lhs; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof BinaryOperatorExpr && this.operator === e.operator && this.lhs.isEquivalent(e.lhs) && this.rhs.isEquivalent(e.rhs); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitBinaryOperatorExpr(this, context); } } class ReadPropExpr extends Expression { /** * @param {?} receiver * @param {?} name * @param {?=} type * @param {?=} sourceSpan */ constructor(receiver, name, type, sourceSpan) { super(type, sourceSpan); this.receiver = receiver; this.name = name; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof ReadPropExpr && this.receiver.isEquivalent(e.receiver) && this.name === e.name; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitReadPropExpr(this, context); } /** * @param {?} value * @return {?} */ set(value) { return new WritePropExpr(this.receiver, this.name, value, null, this.sourceSpan); } } class ReadKeyExpr extends Expression { /** * @param {?} receiver * @param {?} index * @param {?=} type * @param {?=} sourceSpan */ constructor(receiver, index, type, sourceSpan) { super(type, sourceSpan); this.receiver = receiver; this.index = index; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof ReadKeyExpr && this.receiver.isEquivalent(e.receiver) && this.index.isEquivalent(e.index); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitReadKeyExpr(this, context); } /** * @param {?} value * @return {?} */ set(value) { return new WriteKeyExpr(this.receiver, this.index, value, null, this.sourceSpan); } } class LiteralArrayExpr extends Expression { /** * @param {?} entries * @param {?=} type * @param {?=} sourceSpan */ constructor(entries, type, sourceSpan) { super(type, sourceSpan); this.entries = entries; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof LiteralArrayExpr && areAllEquivalent(this.entries, e.entries); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitLiteralArrayExpr(this, context); } } class LiteralMapEntry { /** * @param {?} key * @param {?} value * @param {?} quoted */ constructor(key, value, quoted) { this.key = key; this.value = value; this.quoted = quoted; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return this.key === e.key && this.value.isEquivalent(e.value); } } class LiteralMapExpr extends Expression { /** * @param {?} entries * @param {?=} type * @param {?=} sourceSpan */ constructor(entries, type, sourceSpan) { super(type, sourceSpan); this.entries = entries; this.valueType = null; if (type) { this.valueType = type.valueType; } } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof LiteralMapExpr && areAllEquivalent(this.entries, e.entries); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitLiteralMapExpr(this, context); } } class CommaExpr extends Expression { /** * @param {?} parts * @param {?=} sourceSpan */ constructor(parts, sourceSpan) { super(parts[parts.length - 1].type, sourceSpan); this.parts = parts; } /** * @param {?} e * @return {?} */ isEquivalent(e) { return e instanceof CommaExpr && areAllEquivalent(this.parts, e.parts); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitExpression(visitor, context) { return visitor.visitCommaExpr(this, context); } } /** * @record */ const THIS_EXPR = new ReadVarExpr(BuiltinVar.This, null, null); const SUPER_EXPR = new ReadVarExpr(BuiltinVar.Super, null, null); const CATCH_ERROR_VAR = new ReadVarExpr(BuiltinVar.CatchError, null, null); const CATCH_STACK_VAR = new ReadVarExpr(BuiltinVar.CatchStack, null, null); const NULL_EXPR = new LiteralExpr(null, null, null); const TYPED_NULL_EXPR = new LiteralExpr(null, INFERRED_TYPE, null); /** @enum {number} */ const StmtModifier = { Final: 0, Private: 1, Exported: 2, }; StmtModifier[StmtModifier.Final] = "Final"; StmtModifier[StmtModifier.Private] = "Private"; StmtModifier[StmtModifier.Exported] = "Exported"; /** * @abstract */ class Statement { /** * @param {?=} modifiers * @param {?=} sourceSpan */ constructor(modifiers, sourceSpan) { this.modifiers = modifiers || []; this.sourceSpan = sourceSpan || null; } /** * @param {?} modifier * @return {?} */ hasModifier(modifier) { return /** @type {?} */ ((this.modifiers)).indexOf(modifier) !== -1; } } class DeclareVarStmt extends Statement { /** * @param {?} name * @param {?} value * @param {?=} type * @param {?=} modifiers * @param {?=} sourceSpan */ constructor(name, value, type, modifiers = null, sourceSpan) { super(modifiers, sourceSpan); this.name = name; this.value = value; this.type = type || value.type; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof DeclareVarStmt && this.name === stmt.name && this.value.isEquivalent(stmt.value); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitDeclareVarStmt(this, context); } } class DeclareFunctionStmt extends Statement { /** * @param {?} name * @param {?} params * @param {?} statements * @param {?=} type * @param {?=} modifiers * @param {?=} sourceSpan */ constructor(name, params, statements, type, modifiers = null, sourceSpan) { super(modifiers, sourceSpan); this.name = name; this.params = params; this.statements = statements; this.type = type || null; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof DeclareFunctionStmt && areAllEquivalent(this.params, stmt.params) && areAllEquivalent(this.statements, stmt.statements); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitDeclareFunctionStmt(this, context); } } class ExpressionStatement extends Statement { /** * @param {?} expr * @param {?=} sourceSpan */ constructor(expr, sourceSpan) { super(null, sourceSpan); this.expr = expr; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof ExpressionStatement && this.expr.isEquivalent(stmt.expr); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitExpressionStmt(this, context); } } class ReturnStatement extends Statement { /** * @param {?} value * @param {?=} sourceSpan */ constructor(value, sourceSpan) { super(null, sourceSpan); this.value = value; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof ReturnStatement && this.value.isEquivalent(stmt.value); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitReturnStmt(this, context); } } class AbstractClassPart { /** * @param {?} type * @param {?} modifiers */ constructor(type, modifiers) { this.modifiers = modifiers; if (!modifiers) { this.modifiers = []; } this.type = type || null; } /** * @param {?} modifier * @return {?} */ hasModifier(modifier) { return /** @type {?} */ ((this.modifiers)).indexOf(modifier) !== -1; } } class ClassMethod extends AbstractClassPart { /** * @param {?} name * @param {?} params * @param {?} body * @param {?=} type * @param {?=} modifiers */ constructor(name, params, body, type, modifiers = null) { super(type, modifiers); this.name = name; this.params = params; this.body = body; } /** * @param {?} m * @return {?} */ isEquivalent(m) { return this.name === m.name && areAllEquivalent(this.body, m.body); } } class ClassGetter extends AbstractClassPart { /** * @param {?} name * @param {?} body * @param {?=} type * @param {?=} modifiers */ constructor(name, body, type, modifiers = null) { super(type, modifiers); this.name = name; this.body = body; } /** * @param {?} m * @return {?} */ isEquivalent(m) { return this.name === m.name && areAllEquivalent(this.body, m.body); } } class ClassStmt extends Statement { /** * @param {?} name * @param {?} parent * @param {?} fields * @param {?} getters * @param {?} constructorMethod * @param {?} methods * @param {?=} modifiers * @param {?=} sourceSpan */ constructor(name, parent, fields, getters, constructorMethod, methods, modifiers = null, sourceSpan) { super(modifiers, sourceSpan); this.name = name; this.parent = parent; this.fields = fields; this.getters = getters; this.constructorMethod = constructorMethod; this.methods = methods; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof ClassStmt && this.name === stmt.name && nullSafeIsEquivalent(this.parent, stmt.parent) && areAllEquivalent(this.fields, stmt.fields) && areAllEquivalent(this.getters, stmt.getters) && this.constructorMethod.isEquivalent(stmt.constructorMethod) && areAllEquivalent(this.methods, stmt.methods); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitDeclareClassStmt(this, context); } } class IfStmt extends Statement { /** * @param {?} condition * @param {?} trueCase * @param {?=} falseCase * @param {?=} sourceSpan */ constructor(condition, trueCase, falseCase = [], sourceSpan) { super(null, sourceSpan); this.condition = condition; this.trueCase = trueCase; this.falseCase = falseCase; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof IfStmt && this.condition.isEquivalent(stmt.condition) && areAllEquivalent(this.trueCase, stmt.trueCase) && areAllEquivalent(this.falseCase, stmt.falseCase); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitIfStmt(this, context); } } class CommentStmt extends Statement { /** * @param {?} comment * @param {?=} sourceSpan */ constructor(comment, sourceSpan) { super(null, sourceSpan); this.comment = comment; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof CommentStmt; } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitCommentStmt(this, context); } } class TryCatchStmt extends Statement { /** * @param {?} bodyStmts * @param {?} catchStmts * @param {?=} sourceSpan */ constructor(bodyStmts, catchStmts, sourceSpan) { super(null, sourceSpan); this.bodyStmts = bodyStmts; this.catchStmts = catchStmts; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof TryCatchStmt && areAllEquivalent(this.bodyStmts, stmt.bodyStmts) && areAllEquivalent(this.catchStmts, stmt.catchStmts); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitTryCatchStmt(this, context); } } class ThrowStmt extends Statement { /** * @param {?} error * @param {?=} sourceSpan */ constructor(error, sourceSpan) { super(null, sourceSpan); this.error = error; } /** * @param {?} stmt * @return {?} */ isEquivalent(stmt) { return stmt instanceof TryCatchStmt && this.error.isEquivalent(stmt.error); } /** * @param {?} visitor * @param {?} context * @return {?} */ visitStatement(visitor, context) { return visitor.visitThrowStmt(this, context); } } /** * @record */ class AstTransformer$1 { /** * @param {?} expr * @param {?} context * @return {?} */ transformExpr(expr, context) { return expr; } /** * @param {?} stmt * @param {?} context * @return {?} */ transformStmt(stmt, context) { return stmt; } /** * @param {?} ast * @param {?} context * @return {?} */ visitReadVarExpr(ast, context) { return this.transformExpr(ast, context); } /** * @param {?} expr * @param {?} context * @return {?} */ visitWriteVarExpr(expr, context) { return this.transformExpr(new WriteVarExpr(expr.name, expr.value.visitExpression(this, context), expr.type, expr.sourceSpan), context); } /** * @param {?} expr * @param {?} context * @return {?} */ visitWriteKeyExpr(expr, context) { return this.transformExpr(new WriteKeyExpr(expr.receiver.visitExpression(this, context), expr.index.visitExpression(this, context), expr.value.visitExpression(this, context), expr.type, expr.sourceSpan), context); } /** * @param {?} expr * @param {?} context * @return {?} */ visitWritePropExpr(expr, context) { return this.transformExpr(new WritePropExpr(expr.receiver.visitExpression(this, context), expr.name, expr.value.visitExpression(this, context), expr.type, expr.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitInvokeMethodExpr(ast, context) { const /** @type {?} */ method = ast.builtin || ast.name; return this.transformExpr(new InvokeMethodExpr(ast.receiver.visitExpression(this, context), /** @type {?} */ ((method)), this.visitAllExpressions(ast.args, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitInvokeFunctionExpr(ast, context) { return this.transformExpr(new InvokeFunctionExpr(ast.fn.visitExpression(this, context), this.visitAllExpressions(ast.args, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitInstantiateExpr(ast, context) { return this.transformExpr(new InstantiateExpr(ast.classExpr.visitExpression(this, context), this.visitAllExpressions(ast.args, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralExpr(ast, context) { return this.transformExpr(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitExternalExpr(ast, context) { return this.transformExpr(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitConditionalExpr(ast, context) { return this.transformExpr(new ConditionalExpr(ast.condition.visitExpression(this, context), ast.trueCase.visitExpression(this, context), /** @type {?} */ ((ast.falseCase)).visitExpression(this, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitNotExpr(ast, context) { return this.transformExpr(new NotExpr(ast.condition.visitExpression(this, context), ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitAssertNotNullExpr(ast, context) { return this.transformExpr(new AssertNotNull(ast.condition.visitExpression(this, context), ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitCastExpr(ast, context) { return this.transformExpr(new CastExpr(ast.value.visitExpression(this, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitFunctionExpr(ast, context) { return this.transformExpr(new FunctionExpr(ast.params, this.visitAllStatements(ast.statements, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitBinaryOperatorExpr(ast, context) { return this.transformExpr(new BinaryOperatorExpr(ast.operator, ast.lhs.visitExpression(this, context), ast.rhs.visitExpression(this, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitReadPropExpr(ast, context) { return this.transformExpr(new ReadPropExpr(ast.receiver.visitExpression(this, context), ast.name, ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitReadKeyExpr(ast, context) { return this.transformExpr(new ReadKeyExpr(ast.receiver.visitExpression(this, context), ast.index.visitExpression(this, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralArrayExpr(ast, context) { return this.transformExpr(new LiteralArrayExpr(this.visitAllExpressions(ast.entries, context), ast.type, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralMapExpr(ast, context) { const /** @type {?} */ entries = ast.entries.map((entry) => new LiteralMapEntry(entry.key, entry.value.visitExpression(this, context), entry.quoted)); const /** @type {?} */ mapType = new MapType(ast.valueType, null); return this.transformExpr(new LiteralMapExpr(entries, mapType, ast.sourceSpan), context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitCommaExpr(ast, context) { return this.transformExpr(new CommaExpr(this.visitAllExpressions(ast.parts, context), ast.sourceSpan), context); } /** * @param {?} exprs * @param {?} context * @return {?} */ visitAllExpressions(exprs, context) { return exprs.map(expr => expr.visitExpression(this, context)); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareVarStmt(stmt, context) { return this.transformStmt(new DeclareVarStmt(stmt.name, stmt.value.visitExpression(this, context), stmt.type, stmt.modifiers, stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareFunctionStmt(stmt, context) { return this.transformStmt(new DeclareFunctionStmt(stmt.name, stmt.params, this.visitAllStatements(stmt.statements, context), stmt.type, stmt.modifiers, stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitExpressionStmt(stmt, context) { return this.transformStmt(new ExpressionStatement(stmt.expr.visitExpression(this, context), stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitReturnStmt(stmt, context) { return this.transformStmt(new ReturnStatement(stmt.value.visitExpression(this, context), stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareClassStmt(stmt, context) { const /** @type {?} */ parent = /** @type {?} */ ((stmt.parent)).visitExpression(this, context); const /** @type {?} */ getters = stmt.getters.map(getter => new ClassGetter(getter.name, this.visitAllStatements(getter.body, context), getter.type, getter.modifiers)); const /** @type {?} */ ctorMethod = stmt.constructorMethod && new ClassMethod(stmt.constructorMethod.name, stmt.constructorMethod.params, this.visitAllStatements(stmt.constructorMethod.body, context), stmt.constructorMethod.type, stmt.constructorMethod.modifiers); const /** @type {?} */ methods = stmt.methods.map(method => new ClassMethod(method.name, method.params, this.visitAllStatements(method.body, context), method.type, method.modifiers)); return this.transformStmt(new ClassStmt(stmt.name, parent, stmt.fields, getters, ctorMethod, methods, stmt.modifiers, stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitIfStmt(stmt, context) { return this.transformStmt(new IfStmt(stmt.condition.visitExpression(this, context), this.visitAllStatements(stmt.trueCase, context), this.visitAllStatements(stmt.falseCase, context), stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitTryCatchStmt(stmt, context) { return this.transformStmt(new TryCatchStmt(this.visitAllStatements(stmt.bodyStmts, context), this.visitAllStatements(stmt.catchStmts, context), stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitThrowStmt(stmt, context) { return this.transformStmt(new ThrowStmt(stmt.error.visitExpression(this, context), stmt.sourceSpan), context); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitCommentStmt(stmt, context) { return this.transformStmt(stmt, context); } /** * @param {?} stmts * @param {?} context * @return {?} */ visitAllStatements(stmts, context) { return stmts.map(stmt => stmt.visitStatement(this, context)); } } class RecursiveAstVisitor$1 { /** * @param {?} ast * @param {?} context * @return {?} */ visitType(ast, context) { return ast; } /** * @param {?} ast * @param {?} context * @return {?} */ visitExpression(ast, context) { if (ast.type) { ast.type.visitType(this, context); } return ast; } /** * @param {?} type * @param {?} context * @return {?} */ visitBuiltintType(type, context) { return this.visitType(type, context); } /** * @param {?} type * @param {?} context * @return {?} */ visitExpressionType(type, context) { type.value.visitExpression(this, context); return this.visitType(type, context); } /** * @param {?} type * @param {?} context * @return {?} */ visitArrayType(type, context) { return this.visitType(type, context); } /** * @param {?} type * @param {?} context * @return {?} */ visitMapType(type, context) { return this.visitType(type, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitReadVarExpr(ast, context) { return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitWriteVarExpr(ast, context) { ast.value.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitWriteKeyExpr(ast, context) { ast.receiver.visitExpression(this, context); ast.index.visitExpression(this, context); ast.value.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitWritePropExpr(ast, context) { ast.receiver.visitExpression(this, context); ast.value.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitInvokeMethodExpr(ast, context) { ast.receiver.visitExpression(this, context); this.visitAllExpressions(ast.args, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitInvokeFunctionExpr(ast, context) { ast.fn.visitExpression(this, context); this.visitAllExpressions(ast.args, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitInstantiateExpr(ast, context) { ast.classExpr.visitExpression(this, context); this.visitAllExpressions(ast.args, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralExpr(ast, context) { return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitExternalExpr(ast, context) { if (ast.typeParams) { ast.typeParams.forEach(type => type.visitType(this, context)); } return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitConditionalExpr(ast, context) { ast.condition.visitExpression(this, context); ast.trueCase.visitExpression(this, context); /** @type {?} */ ((ast.falseCase)).visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitNotExpr(ast, context) { ast.condition.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitAssertNotNullExpr(ast, context) { ast.condition.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitCastExpr(ast, context) { ast.value.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitFunctionExpr(ast, context) { this.visitAllStatements(ast.statements, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitBinaryOperatorExpr(ast, context) { ast.lhs.visitExpression(this, context); ast.rhs.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitReadPropExpr(ast, context) { ast.receiver.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitReadKeyExpr(ast, context) { ast.receiver.visitExpression(this, context); ast.index.visitExpression(this, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralArrayExpr(ast, context) { this.visitAllExpressions(ast.entries, context); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitLiteralMapExpr(ast, context) { ast.entries.forEach((entry) => entry.value.visitExpression(this, context)); return this.visitExpression(ast, context); } /** * @param {?} ast * @param {?} context * @return {?} */ visitCommaExpr(ast, context) { this.visitAllExpressions(ast.parts, context); return this.visitExpression(ast, context); } /** * @param {?} exprs * @param {?} context * @return {?} */ visitAllExpressions(exprs, context) { exprs.forEach(expr => expr.visitExpression(this, context)); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareVarStmt(stmt, context) { stmt.value.visitExpression(this, context); if (stmt.type) { stmt.type.visitType(this, context); } return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareFunctionStmt(stmt, context) { this.visitAllStatements(stmt.statements, context); if (stmt.type) { stmt.type.visitType(this, context); } return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitExpressionStmt(stmt, context) { stmt.expr.visitExpression(this, context); return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitReturnStmt(stmt, context) { stmt.value.visitExpression(this, context); return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareClassStmt(stmt, context) { /** @type {?} */ ((stmt.parent)).visitExpression(this, context); stmt.getters.forEach(getter => this.visitAllStatements(getter.body, context)); if (stmt.constructorMethod) { this.visitAllStatements(stmt.constructorMethod.body, context); } stmt.methods.forEach(method => this.visitAllStatements(method.body, context)); return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitIfStmt(stmt, context) { stmt.condition.visitExpression(this, context); this.visitAllStatements(stmt.trueCase, context); this.visitAllStatements(stmt.falseCase, context); return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitTryCatchStmt(stmt, context) { this.visitAllStatements(stmt.bodyStmts, context); this.visitAllStatements(stmt.catchStmts, context); return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitThrowStmt(stmt, context) { stmt.error.visitExpression(this, context); return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitCommentStmt(stmt, context) { return stmt; } /** * @param {?} stmts * @param {?} context * @return {?} */ visitAllStatements(stmts, context) { stmts.forEach(stmt => stmt.visitStatement(this, context)); } } /** * @param {?} stmts * @return {?} */ function findReadVarNames(stmts) { const /** @type {?} */ visitor = new _ReadVarVisitor(); visitor.visitAllStatements(stmts, null); return visitor.varNames; } class _ReadVarVisitor extends RecursiveAstVisitor$1 { constructor() { super(...arguments); this.varNames = new Set(); } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareFunctionStmt(stmt, context) { // Don't descend into nested functions return stmt; } /** * @param {?} stmt * @param {?} context * @return {?} */ visitDeclareClassStmt(stmt, context) { // Don't descend into nested classes return stmt; } /** * @param {?} ast * @param {?} context * @return {?} */ visitReadVarExpr(ast, context) { if (ast.name) { this.varNames.add(ast.name); } return null; } } /** * @param {?} stmts * @return {?} */ function collectExternalReferences(stmts) { const /** @type {?} */ visitor = new _FindExternalReferencesVisitor(); visitor.visitAllStatements(stmts, null); return visitor.externalReferences; } class _FindExternalReferencesVisitor extends RecursiveAstVisitor$1 { constructor() { super(...arguments); this.externalReferences = []; } /** * @param {?} e * @param {?} context * @return {?} */ visitExternalExpr(e, context) { this.externalReferences.push(e.value); return super.visitExternalExpr(e, context); } } /** * @param {?} stmt * @param {?} sourceSpan * @return {?} */ function applySourceSpanToStatementIfNeeded(stmt, sourceSpan) { if (!sourceSpan) { return stmt; } const /** @type {?} */ transformer = new _ApplySourceSpanTransformer(sourceSpan); return stmt.visitStatement(transformer, null); } /** * @param {?} expr * @param {?} sourceSpan * @return {?} */ function applySourceSpanToExpressionIfNeeded(expr, sourceSpan) { if (!sourceSpan) { return expr; } const /** @type {?} */ transformer = new _ApplySourceSpanTransformer(sourceSpan); return expr.visitExpression(transformer, null); } class _ApplySourceSpanTransformer extends AstTransformer$1 { /** * @param {?} sourceSpan */ constructor(sourceSpan) { super(); this.sourceSpan = sourceSpan; } /** * @param {?} obj * @return {?} */ _clone(obj) { const /** @type {?} */ clone = Object.create(obj.constructor.prototype); for (let /** @type {?} */ prop in obj) { clone[prop] = obj[prop]; } return clone; } /** * @param {?} expr * @param {?} context * @return {?} */ transformExpr(expr, context) { if (!expr.sourceSpan) { expr = this._clone(expr); expr.sourceSpan = this.sourceSpan; } return expr; } /** * @param {?} stmt * @param {?} context * @return {?} */ transformStmt(stmt, context) { if (!stmt.sourceSpan) { stmt = this._clone(stmt); stmt.sourceSpan = this.sourceSpan; } return stmt; } } /** * @param {?} name * @param {?=} type * @param {?=} sourceSpan * @return {?} */ function variable(name, type, sourceSpan) { return new ReadVarExpr(name, type, sourceSpan); } /** * @param {?} id * @param {?=} typeParams * @param {?=} sourceSpan * @return {?} */ function importExpr(id, typeParams = null, sourceSpan) { return new ExternalExpr(id, null, typeParams, sourceSpan); } /** * @param {?} id * @param {?=} typeParams * @param {?=} typeModifiers * @return {?} */ function importType(id, typeParams = null, typeModifiers = null) { return id != null ? expressionType(importExpr(id, typeParams, null), typeModifiers) : null; } /** * @param {?} expr * @param {?=} typeModifiers * @return {?} */ function expressionType(expr, typeModifiers = null) { return new ExpressionType(expr, typeModifiers); } /** * @param {?} values * @param {?=} type * @param {?=} sourceSpan * @return {?} */ function literalArr(values, type, sourceSpan) { return new LiteralArrayExpr(values, type, sourceSpan); } /** * @param {?} values * @param {?=} type * @return {?} */ function literalMap(values, type = null) { return new LiteralMapExpr(values.map(e => new LiteralMapEntry(e.key, e.value, e.quoted)), type, null); } /** * @param {?} expr * @param {?=} sourceSpan * @return {?} */ function not(expr, sourceSpan) { return new NotExpr(expr, sourceSpan); } /** * @param {?} expr * @param {?=} sourceSpan * @return {?} */ function assertNotNull(expr, sourceSpan) { return new AssertNotNull(expr, sourceSpan); } /** * @param {?} params * @param {?} body * @param {?=} type * @param {?=} sourceSpan * @return {?} */ function fn(params, body, type, sourceSpan) { return new FunctionExpr(params, body, type, sourceSpan); } /** * @param {?} value * @param {?=} type * @param {?=} sourceSpan * @return {?} */ function literal(value, type, sourceSpan) { return new LiteralExpr(value, type, sourceSpan); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class ProviderError extends ParseError { /** * @param {?} message * @param {?} span */ constructor(message, span) { super(span, message); } } /** * @record */ class ProviderViewContext { /** * @param {?} reflector * @param {?} component */ constructor(reflector, component) { this.reflector = reflector; this.component = component; this.errors = []; this.viewQueries = _getViewQueries(component); this.viewProviders = new Map(); component.viewProviders.forEach((provider) => { if (this.viewProviders.get(tokenReference(provider.token)) == null) { this.viewProviders.set(tokenReference(provider.token), true); } }); } } class ProviderElementContext { /** * @param {?} viewContext * @param {?} _parent * @param {?} _isViewRoot * @param {?} _directiveAsts * @param {?} attrs * @param {?} refs * @param {?} isTemplate * @param {?} contentQueryStartId * @param {?} _sourceSpan */ constructor(viewContext, _parent, _isViewRoot, _directiveAsts, attrs, refs, isTemplate, contentQueryStartId, _sourceSpan) { this.viewContext = viewContext; this._parent = _parent; this._isViewRoot = _isViewRoot; this._directiveAsts = _directiveAsts; this._sourceSpan = _sourceSpan; this._transformedProviders = new Map(); this._seenProviders = new Map(); this._queriedTokens = new Map(); this.transformedHasViewContainer = false; this._attrs = {}; attrs.forEach((attrAst) => this._attrs[attrAst.name] = attrAst.value); const /** @type {?} */ directivesMeta = _directiveAsts.map(directiveAst => directiveAst.directive); this._allProviders = _resolveProvidersFromDirectives(directivesMeta, _sourceSpan, viewContext.errors); this._contentQueries = _getContentQueries(contentQueryStartId, directivesMeta); Array.from(this._allProviders.values()).forEach((provider) => { this._addQueryReadsTo(provider.token, provider.token, this._queriedTokens); }); if (isTemplate) { const /** @type {?} */ templateRefId = createTokenForExternalReference(this.viewContext.reflector, Identifiers.TemplateRef); this._addQueryReadsTo(templateRefId, templateRefId, this._queriedTokens); } refs.forEach((refAst) => { let /** @type {?} */ defaultQueryValue = refAst.value || createTokenForExternalReference(this.viewContext.reflector, Identifiers.ElementRef); this._addQueryReadsTo({ value: refAst.name }, defaultQueryValue, this._queriedTokens); }); if (this._queriedTokens.get(this.viewContext.reflector.resolveExternalReference(Identifiers.ViewContainerRef))) { this.transformedHasViewContainer = true; } // create the providers that we know are eager first Array.from(this._allProviders.values()).forEach((provider) => { const /** @type {?} */ eager = provider.eager || this._queriedTokens.get(tokenReference(provider.token)); if (eager) { this._getOrCreateLocalProvider(provider.providerType, provider.token, true); } }); } /** * @return {?} */ afterElement() { // collect lazy providers Array.from(this._allProviders.values()).forEach((provider) => { this._getOrCreateLocalProvider(provider.providerType, provider.token, false); }); } /** * @return {?} */ get transformProviders() { // Note: Maps keep their insertion order. const /** @type {?} */ lazyProviders = []; const /** @type {?} */ eagerProviders = []; this._transformedProviders.forEach(provider => { if (provider.eager) { eagerProviders.push(provider); } else { lazyProviders.push(provider); } }); return lazyProviders.concat(eagerProviders); } /** * @return {?} */ get transformedDirectiveAsts() { const /** @type {?} */ sortedProviderTypes = this.transformProviders.map(provider => provider.token.identifier); const /** @type {?} */ sortedDirectives = this._directiveAsts.slice(); sortedDirectives.sort((dir1, dir2) => sortedProviderTypes.indexOf(dir1.directive.type) - sortedProviderTypes.indexOf(dir2.directive.type)); return sortedDirectives; } /** * @return {?} */ get queryMatches() { const /** @type {?} */ allMatches = []; this._queriedTokens.forEach((matches) => { allMatches.push(...matches); }); return allMatches; } /** * @param {?} token * @param {?} defaultValue * @param {?} queryReadTokens * @return {?} */ _addQueryReadsTo(token, defaultValue, queryReadTokens) { this._getQueriesFor(token).forEach((query) => { const /** @type {?} */ queryValue = query.meta.read || defaultValue; const /** @type {?} */ tokenRef = tokenReference(queryValue); let /** @type {?} */ queryMatches = queryReadTokens.get(tokenRef); if (!queryMatches) { queryMatches = []; queryReadTokens.set(tokenRef, queryMatches); } queryMatches.push({ queryId: query.queryId, value: queryValue }); }); } /** * @param {?} token * @return {?} */ _getQueriesFor(token) { const /** @type {?} */ result = []; let /** @type {?} */ currentEl = this; let /** @type {?} */ distance = 0; let /** @type {?} */ queries; while (currentEl !== null) { queries = currentEl._contentQueries.get(tokenReference(token)); if (queries) { result.push(...queries.filter((query) => query.meta.descendants || distance <= 1)); } if (currentEl._directiveAsts.length > 0) { distance++; } currentEl = currentEl._parent; } queries = this.viewContext.viewQueries.get(tokenReference(token)); if (queries) { result.push(...queries); } return result; } /** * @param {?} requestingProviderType * @param {?} token * @param {?} eager * @return {?} */ _getOrCreateLocalProvider(requestingProviderType, token, eager) { const /** @type {?} */ resolvedProvider = this._allProviders.get(tokenReference(token)); if (!resolvedProvider || ((requestingProviderType === ProviderAstType.Directive || requestingProviderType === ProviderAstType.PublicService) && resolvedProvider.providerType === ProviderAstType.PrivateService) || ((requestingProviderType === ProviderAstType.PrivateService || requestingProviderType === ProviderAstType.PublicService) && resolvedProvider.providerType === ProviderAstType.Builtin)) { return null; } let /** @type {?} */ transformedProviderAst = this._transformedProviders.get(tokenReference(token)); if (transformedProviderAst) { return transformedProviderAst; } if (this._seenProviders.get(tokenReference(token)) != null) { this.viewContext.errors.push(new ProviderError(`Cannot instantiate cyclic dependency! ${tokenName(token)}`, this._sourceSpan)); return null; } this._seenProviders.set(tokenReference(token), true); const /** @type {?} */ transformedProviders = resolvedProvider.providers.map((provider) => { let /** @type {?} */ transformedUseValue = provider.useValue; let /** @type {?} */ transformedUseExisting = /** @type {?} */ ((provider.useExisting)); let /** @type {?} */ transformedDeps = /** @type {?} */ ((undefined)); if (provider.useExisting != null) { const /** @type {?} */ existingDiDep = /** @type {?} */ ((this._getDependency(resolvedProvider.providerType, { token: provider.useExisting }, eager))); if (existingDiDep.token != null) { transformedUseExisting = existingDiDep.token; } else { transformedUseExisting = /** @type {?} */ ((null)); transformedUseValue = existingDiDep.value; } } else if (provider.useFactory) { const /** @type {?} */ deps = provider.deps || provider.useFactory.diDeps; transformedDeps = deps.map((dep) => /** @type {?} */ ((this._getDependency(resolvedProvider.providerType, dep, eager)))); } else if (provider.useClass) { const /** @type {?} */ deps = provider.deps || provider.useClass.diDeps; transformedDeps = deps.map((dep) => /** @type {?} */ ((this._getDependency(resolvedProvider.providerType, dep, eager)))); } return _transformProvider(provider, { useExisting: transformedUseExisting, useValue: transformedUseValue, deps: transformedDeps }); }); transformedProviderAst = _transformProviderAst(resolvedProvider, { eager: eager, providers: transformedProviders }); this._transformedProviders.set(tokenReference(token), transformedProviderAst); return transformedProviderAst; } /** * @param {?} requestingProviderType * @param {?} dep * @param {?=} eager * @return {?} */ _getLocalDependency(requestingProviderType, dep, eager = false) { if (dep.isAttribute) { const /** @type {?} */ attrValue = this._attrs[/** @type {?} */ ((dep.token)).value]; return { isValue: true, value: attrValue == null ? null : attrValue }; } if (dep.token != null) { // access builtints if ((requestingProviderType === ProviderAstType.Directive || requestingProviderType === ProviderAstType.Component)) { if (tokenReference(dep.token) === this.viewContext.reflector.resolveExternalReference(Identifiers.Renderer) || tokenReference(dep.token) === this.viewContext.reflector.resolveExternalReference(Identifiers.ElementRef) || tokenReference(dep.token) === this.viewContext.reflector.resolveExternalReference(Identifiers.ChangeDetectorRef) || tokenReference(dep.token) === this.viewContext.reflector.resolveExternalReference(Identifiers.TemplateRef)) { return dep; } if (tokenReference(dep.token) === this.viewContext.reflector.resolveExternalReference(Identifiers.ViewContainerRef)) { (/** @type {?} */ (this)).transformedHasViewContainer = true; } } // access the injector if (tokenReference(dep.token) === this.viewContext.reflector.resolveExternalReference(Identifiers.Injector)) { return dep; } // access providers if (this._getOrCreateLocalProvider(requestingProviderType, dep.token, eager) != null) { return dep; } } return null; } /** * @param {?} requestingProviderType * @param {?} dep * @param {?=} eager * @return {?} */ _getDependency(requestingProviderType, dep, eager = false) { let /** @type {?} */ currElement = this; let /** @type {?} */ currEager = eager; let /** @type {?} */ result = null; if (!dep.isSkipSelf) { result = this._getLocalDependency(requestingProviderType, dep, eager); } if (dep.isSelf) { if (!result && dep.isOptional) { result = { isValue: true, value: null }; } } else { // check parent elements while (!result && currElement._parent) { const /** @type {?} */ prevElement = currElement; currElement = currElement._parent; if (prevElement._isViewRoot) { currEager = false; } result = currElement._getLocalDependency(ProviderAstType.PublicService, dep, currEager); } // check @Host restriction if (!result) { if (!dep.isHost || this.viewContext.component.isHost || this.viewContext.component.type.reference === tokenReference(/** @type {?} */ ((dep.token))) || this.viewContext.viewProviders.get(tokenReference(/** @type {?} */ ((dep.token)))) != null) { result = dep; } else { result = dep.isOptional ? result = { isValue: true, value: null } : null; } } } if (!result) { this.viewContext.errors.push(new ProviderError(`No provider for ${tokenName((/** @type {?} */ ((dep.token))))}`, this._sourceSpan)); } return result; } } class NgModuleProviderAnalyzer { /** * @param {?} reflector * @param {?} ngModule * @param {?} extraProviders * @param {?} sourceSpan */ constructor(reflector, ngModule, extraProviders, sourceSpan) { this.reflector = reflector; this._transformedProviders = new Map(); this._seenProviders = new Map(); this._errors = []; this._allProviders = new Map(); ngModule.transitiveModule.modules.forEach((ngModuleType) => { const /** @type {?} */ ngModuleProvider = { token: { identifier: ngModuleType }, useClass: ngModuleType }; _resolveProviders([ngModuleProvider], ProviderAstType.PublicService, true, sourceSpan, this._errors, this._allProviders); }); _resolveProviders(ngModule.transitiveModule.providers.map(entry => entry.provider).concat(extraProviders), ProviderAstType.PublicService, false, sourceSpan, this._errors, this._allProviders); } /** * @return {?} */ parse() { Array.from(this._allProviders.values()).forEach((provider) => { this._getOrCreateLocalProvider(provider.token, provider.eager); }); if (this._errors.length > 0) { const /** @type {?} */ errorString = this._errors.join('\n'); throw new Error(`Provider parse errors:\n${errorString}`); } // Note: Maps keep their insertion order. const /** @type {?} */ lazyProviders = []; const /** @type {?} */ eagerProviders = []; this._transformedProviders.forEach(provider => { if (provider.eager) { eagerProviders.push(provider); } else { lazyProviders.push(provider); } }); return lazyProviders.concat(eagerProviders); } /** * @param {?} token * @param {?} eager * @return {?} */ _getOrCreateLocalProvider(token, eager) { const /** @type {?} */ resolvedProvider = this._allProviders.get(tokenReference(token)); if (!resolvedProvider) { return null; } let /** @type {?} */ transformedProviderAst = this._transformedProviders.get(tokenReference(token)); if (transformedProviderAst) { return transformedProviderAst; } if (this._seenProviders.get(tokenReference(token)) != null) { this._errors.push(new ProviderError(`Cannot instantiate cyclic dependency! ${tokenName(token)}`, resolvedProvider.sourceSpan)); return null; } this._seenProviders.set(tokenReference(token), true); const /** @type {?} */ transformedProviders = resolvedProvider.providers.map((provider) => { let /** @type {?} */ transformedUseValue = provider.useValue; let /** @type {?} */ transformedUseExisting = /** @type {?} */ ((provider.useExisting)); let /** @type {?} */ transformedDeps = /** @type {?} */ ((undefined)); if (provider.useExisting != null) { const /** @type {?} */ existingDiDep = this._getDependency({ token: provider.useExisting }, eager, resolvedProvider.sourceSpan); if (existingDiDep.token != null) { transformedUseExisting = existingDiDep.token; } else { transformedUseExisting = /** @type {?} */ ((null)); transformedUseValue = existingDiDep.value; } } else if (provider.useFactory) { const /** @type {?} */ deps = provider.deps || provider.useFactory.diDeps; transformedDeps = deps.map((dep) => this._getDependency(dep, eager, resolvedProvider.sourceSpan)); } else if (provider.useClass) { const /** @type {?} */ deps = provider.deps || provider.useClass.diDeps; transformedDeps = deps.map((dep) => this._getDependency(dep, eager, resolvedProvider.sourceSpan)); } return _transformProvider(provider, { useExisting: transformedUseExisting, useValue: transformedUseValue, deps: transformedDeps }); }); transformedProviderAst = _transformProviderAst(resolvedProvider, { eager: eager, providers: transformedProviders }); this._transformedProviders.set(tokenReference(token), transformedProviderAst); return transformedProviderAst; } /** * @param {?} dep * @param {?=} eager * @param {?=} requestorSourceSpan * @return {?} */ _getDependency(dep, eager = false, requestorSourceSpan) { let /** @type {?} */ foundLocal = false; if (!dep.isSkipSelf && dep.token != null) { // access the injector if (tokenReference(dep.token) === this.reflector.resolveExternalReference(Identifiers.Injector) || tokenReference(dep.token) === this.reflector.resolveExternalReference(Identifiers.ComponentFactoryResolver)) { foundLocal = true; // access providers } else if (this._getOrCreateLocalProvider(dep.token, eager) != null) { foundLocal = true; } } let /** @type {?} */ result = dep; if (dep.isSelf && !foundLocal) { if (dep.isOptional) { result = { isValue: true, value: null }; } else { this._errors.push(new ProviderError(`No provider for ${tokenName((/** @type {?} */ ((dep.token))))}`, requestorSourceSpan)); } } return result; } } /** * @param {?} provider * @param {?} __1 * @return {?} */ function _transformProvider(provider, { useExisting, useValue, deps }) { return { token: provider.token, useClass: provider.useClass, useExisting: useExisting, useFactory: provider.useFactory, useValue: useValue, deps: deps, multi: provider.multi }; } /** * @param {?} provider * @param {?} __1 * @return {?} */ function _transformProviderAst(provider, { eager, providers }) { return new ProviderAst(provider.token, provider.multiProvider, provider.eager || eager, providers, provider.providerType, provider.lifecycleHooks, provider.sourceSpan); } /** * @param {?} directives * @param {?} sourceSpan * @param {?} targetErrors * @return {?} */ function _resolveProvidersFromDirectives(directives, sourceSpan, targetErrors) { const /** @type {?} */ providersByToken = new Map(); directives.forEach((directive) => { const /** @type {?} */ dirProvider = { token: { identifier: directive.type }, useClass: directive.type }; _resolveProviders([dirProvider], directive.isComponent ? ProviderAstType.Component : ProviderAstType.Directive, true, sourceSpan, targetErrors, providersByToken); }); // Note: directives need to be able to overwrite providers of a component! const /** @type {?} */ directivesWithComponentFirst = directives.filter(dir => dir.isComponent).concat(directives.filter(dir => !dir.isComponent)); directivesWithComponentFirst.forEach((directive) => { _resolveProviders(directive.providers, ProviderAstType.PublicService, false, sourceSpan, targetErrors, providersByToken); _resolveProviders(directive.viewProviders, ProviderAstType.PrivateService, false, sourceSpan, targetErrors, providersByToken); }); return providersByToken; } /** * @param {?} providers * @param {?} providerType * @param {?} eager * @param {?} sourceSpan * @param {?} targetErrors * @param {?} targetProvidersByToken * @return {?} */ function _resolveProviders(providers, providerType, eager, sourceSpan, targetErrors, targetProvidersByToken) { providers.forEach((provider) => { let /** @type {?} */ resolvedProvider = targetProvidersByToken.get(tokenReference(provider.token)); if (resolvedProvider != null && !!resolvedProvider.multiProvider !== !!provider.multi) { targetErrors.push(new ProviderError(`Mixing multi and non multi provider is not possible for token ${tokenName(resolvedProvider.token)}`, sourceSpan)); } if (!resolvedProvider) { const /** @type {?} */ lifecycleHooks = provider.token.identifier && (/** @type {?} */ (provider.token.identifier)).lifecycleHooks ? (/** @type {?} */ (provider.token.identifier)).lifecycleHooks : []; const /** @type {?} */ isUseValue = !(provider.useClass || provider.useExisting || provider.useFactory); resolvedProvider = new ProviderAst(provider.token, !!provider.multi, eager || isUseValue, [provider], providerType, lifecycleHooks, sourceSpan); targetProvidersByToken.set(tokenReference(provider.token), resolvedProvider); } else { if (!provider.multi) { resolvedProvider.providers.length = 0; } resolvedProvider.providers.push(provider); } }); } /** * @param {?} component * @return {?} */ function _getViewQueries(component) { // Note: queries start with id 1 so we can use the number in a Bloom filter! let /** @type {?} */ viewQueryId = 1; const /** @type {?} */ viewQueries = new Map(); if (component.viewQueries) { component.viewQueries.forEach((query) => _addQueryToTokenMap(viewQueries, { meta: query, queryId: viewQueryId++ })); } return viewQueries; } /** * @param {?} contentQueryStartId * @param {?} directives * @return {?} */ function _getContentQueries(contentQueryStartId, directives) { let /** @type {?} */ contentQueryId = contentQueryStartId; const /** @type {?} */ contentQueries = new Map(); directives.forEach((directive, directiveIndex) => { if (directive.queries) { directive.queries.forEach((query) => _addQueryToTokenMap(contentQueries, { meta: query, queryId: contentQueryId++ })); } }); return contentQueries; } /** * @param {?} map * @param {?} query * @return {?} */ function _addQueryToTokenMap(map, query) { query.meta.selectors.forEach((token) => { let /** @type {?} */ entry = map.get(tokenReference(token)); if (!entry) { entry = []; map.set(tokenReference(token), entry); } entry.push(query); }); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const QUOTED_KEYS = '$quoted$'; /** * @param {?} ctx * @param {?} value * @param {?=} type * @return {?} */ function convertValueToOutputAst(ctx, value, type = null) { return visitValue(value, new _ValueOutputAstTransformer(ctx), type); } class _ValueOutputAstTransformer { /** * @param {?} ctx */ constructor(ctx) { this.ctx = ctx; } /** * @param {?} arr * @param {?} type * @return {?} */ visitArray(arr, type) { return literalArr(arr.map(value => visitValue(value, this, null)), type); } /** * @param {?} map * @param {?} type * @return {?} */ visitStringMap(map, type) { const /** @type {?} */ entries = []; const /** @type {?} */ quotedSet = new Set(map && map[QUOTED_KEYS]); Object.keys(map).forEach(key => { entries.push(new LiteralMapEntry(key, visitValue(map[key], this, null), quotedSet.has(key))); }); return new LiteralMapExpr(entries, type); } /** * @param {?} value * @param {?} type * @return {?} */ visitPrimitive(value, type) { return literal(value, type); } /** * @param {?} value * @param {?} type * @return {?} */ visitOther(value, type) { if (value instanceof Expression) { return value; } else { return this.ctx.importExpr(value); } } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @param {?} ctx * @param {?} providerAst * @return {?} */ function providerDef(ctx, providerAst) { let /** @type {?} */ flags = 0; if (!providerAst.eager) { flags |= 4096 /* LazyProvider */; } if (providerAst.providerType === ProviderAstType.PrivateService) { flags |= 8192 /* PrivateProvider */; } providerAst.lifecycleHooks.forEach((lifecycleHook) => { // for regular providers, we only support ngOnDestroy if (lifecycleHook === LifecycleHooks.OnDestroy || providerAst.providerType === ProviderAstType.Directive || providerAst.providerType === ProviderAstType.Component) { flags |= lifecycleHookToNodeFlag(lifecycleHook); } }); const { providerExpr, flags: providerFlags, depsExpr } = providerAst.multiProvider ? multiProviderDef(ctx, flags, providerAst.providers) : singleProviderDef(ctx, flags, providerAst.providerType, providerAst.providers[0]); return { providerExpr, flags: providerFlags, depsExpr, tokenExpr: tokenExpr(ctx, providerAst.token), }; } /** * @param {?} ctx * @param {?} flags * @param {?} providers * @return {?} */ function multiProviderDef(ctx, flags, providers) { const /** @type {?} */ allDepDefs = []; const /** @type {?} */ allParams = []; const /** @type {?} */ exprs = providers.map((provider, providerIndex) => { let /** @type {?} */ expr; if (provider.useClass) { const /** @type {?} */ depExprs = convertDeps(providerIndex, provider.deps || provider.useClass.diDeps); expr = ctx.importExpr(provider.useClass.reference).instantiate(depExprs); } else if (provider.useFactory) { const /** @type {?} */ depExprs = convertDeps(providerIndex, provider.deps || provider.useFactory.diDeps); expr = ctx.importExpr(provider.useFactory.reference).callFn(depExprs); } else if (provider.useExisting) { const /** @type {?} */ depExprs = convertDeps(providerIndex, [{ token: provider.useExisting }]); expr = depExprs[0]; } else { expr = convertValueToOutputAst(ctx, provider.useValue); } return expr; }); const /** @type {?} */ providerExpr = fn(allParams, [new ReturnStatement(literalArr(exprs))], INFERRED_TYPE); return { providerExpr, flags: flags | 1024 /* TypeFactoryProvider */, depsExpr: literalArr(allDepDefs) }; /** * @param {?} providerIndex * @param {?} deps * @return {?} */ function convertDeps(providerIndex, deps) { return deps.map((dep, depIndex) => { const /** @type {?} */ paramName = `p${providerIndex}_${depIndex}`; allParams.push(new FnParam(paramName, DYNAMIC_TYPE)); allDepDefs.push(depDef(ctx, dep)); return variable(paramName); }); } } /** * @param {?} ctx * @param {?} flags * @param {?} providerType * @param {?} providerMeta * @return {?} */ function singleProviderDef(ctx, flags, providerType, providerMeta) { let /** @type {?} */ providerExpr; let /** @type {?} */ deps; if (providerType === ProviderAstType.Directive || providerType === ProviderAstType.Component) { providerExpr = ctx.importExpr(/** @type {?} */ ((providerMeta.useClass)).reference); flags |= 16384 /* TypeDirective */; deps = providerMeta.deps || /** @type {?} */ ((providerMeta.useClass)).diDeps; } else { if (providerMeta.useClass) { providerExpr = ctx.importExpr(providerMeta.useClass.reference); flags |= 512 /* TypeClassProvider */; deps = providerMeta.deps || providerMeta.useClass.diDeps; } else if (providerMeta.useFactory) { providerExpr = ctx.importExpr(providerMeta.useFactory.reference); flags |= 1024 /* TypeFactoryProvider */; deps = providerMeta.deps || providerMeta.useFactory.diDeps; } else if (providerMeta.useExisting) { providerExpr = NULL_EXPR; flags |= 2048 /* TypeUseExistingProvider */; deps = [{ token: providerMeta.useExisting }]; } else { providerExpr = convertValueToOutputAst(ctx, providerMeta.useValue); flags |= 256 /* TypeValueProvider */; deps = []; } } const /** @type {?} */ depsExpr = literalArr(deps.map(dep => depDef(ctx, dep))); return { providerExpr, flags, depsExpr }; } /** * @param {?} ctx * @param {?} tokenMeta * @return {?} */ function tokenExpr(ctx, tokenMeta) { return tokenMeta.identifier ? ctx.importExpr(tokenMeta.identifier.reference) : literal(tokenMeta.value); } /** * @param {?} ctx * @param {?} dep * @return {?} */ function depDef(ctx, dep) { // Note: the following fields have already been normalized out by provider_analyzer: // - isAttribute, isSelf, isHost const /** @type {?} */ expr = dep.isValue ? convertValueToOutputAst(ctx, dep.value) : tokenExpr(ctx, /** @type {?} */ ((dep.token))); let /** @type {?} */ flags = 0; if (dep.isSkipSelf) { flags |= 1 /* SkipSelf */; } if (dep.isOptional) { flags |= 2 /* Optional */; } if (dep.isValue) { flags |= 8 /* Value */; } return flags === 0 /* None */ ? expr : literalArr([literal(flags), expr]); } /** * @param {?} lifecycleHook * @return {?} */ function lifecycleHookToNodeFlag(lifecycleHook) { let /** @type {?} */ nodeFlag = 0; switch (lifecycleHook) { case LifecycleHooks.AfterContentChecked: nodeFlag = 2097152 /* AfterContentChecked */; break; case LifecycleHooks.AfterContentInit: nodeFlag = 1048576 /* AfterContentInit */; break; case LifecycleHooks.AfterViewChecked: nodeFlag = 8388608 /* AfterViewChecked */; break; case LifecycleHooks.AfterViewInit: nodeFlag = 4194304 /* AfterViewInit */; break; case LifecycleHooks.DoCheck: nodeFlag = 262144 /* DoCheck */; break; case LifecycleHooks.OnChanges: nodeFlag = 524288 /* OnChanges */; break; case LifecycleHooks.OnDestroy: nodeFlag = 131072 /* OnDestroy */; break; case LifecycleHooks.OnInit: nodeFlag = 65536 /* OnInit */; break; } return nodeFlag; } /** * @param {?} reflector * @param {?} ctx * @param {?} flags * @param {?} entryComponents * @return {?} */ function componentFactoryResolverProviderDef(reflector, ctx, flags, entryComponents) { const /** @type {?} */ entryComponentFactories = entryComponents.map((entryComponent) => ctx.importExpr(entryComponent.componentFactory)); const /** @type {?} */ token = createTokenForExternalReference(reflector, Identifiers.ComponentFactoryResolver); const /** @type {?} */ classMeta = { diDeps: [ { isValue: true, value: literalArr(entryComponentFactories) }, { token: token, isSkipSelf: true, isOptional: true }, { token: createTokenForExternalReference(reflector, Identifiers.NgModuleRef) }, ], lifecycleHooks: [], reference: reflector.resolveExternalReference(Identifiers.CodegenComponentFactoryResolver) }; const { providerExpr, flags: providerFlags, depsExpr } = singleProviderDef(ctx, flags, ProviderAstType.PrivateService, { token, multi: false, useClass: classMeta, }); return { providerExpr, flags: providerFlags, depsExpr, tokenExpr: tokenExpr(ctx, token) }; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ class NgModuleCompileResult { /** * @param {?} ngModuleFactoryVar */ constructor(ngModuleFactoryVar) { this.ngModuleFactoryVar = ngModuleFactoryVar; } } const LOG_VAR = variable('_l'); class NgModuleCompiler { /** * @param {?} reflector */ constructor(reflector) { this.reflector = reflector; } /** * @param {?} ctx * @param {?} ngModuleMeta * @param {?} extraProviders * @return {?} */ compile(ctx, ngModuleMeta, extraProviders) { const /** @type {?} */ sourceSpan = typeSourceSpan('NgModule', ngModuleMeta.type); const /** @type {?} */ entryComponentFactories = ngModuleMeta.transitiveModule.entryComponents; const /** @type {?} */ bootstrapComponents = ngModuleMeta.bootstrapComponents; const /** @type {?} */ providerParser = new NgModuleProviderAnalyzer(this.reflector, ngModuleMeta, extraProviders, sourceSpan); const /** @type {?} */ providerDefs = [componentFactoryResolverProviderDef(this.reflector, ctx, 0 /* None */, entryComponentFactories)] .concat(providerParser.parse().map((provider) => providerDef(ctx, provider))) .map(({ providerExpr, depsExpr, flags, tokenExpr }) => { return importExpr(Identifiers.moduleProviderDef).callFn([ literal(flags), tokenExpr, providerExpr, depsExpr ]); }); const /** @type {?} */ ngModuleDef = importExpr(Identifiers.moduleDef).callFn([literalArr(providerDefs)]); const /** @type {?} */ ngModuleDefFactory = fn([new FnParam(/** @type {?} */ ((LOG_VAR.name)))], [new ReturnStatement(ngModuleDef)], INFERRED_TYPE); const /** @type {?} */ ngModuleFactoryVar = `${identifierName(ngModuleMeta.type)}NgFactory`; this._createNgModuleFactory(ctx, ngModuleMeta.type.reference, importExpr(Identifiers.createModuleFactory).callFn([ ctx.importExpr(ngModuleMeta.type.reference), literalArr(bootstrapComponents.map(id => ctx.importExpr(id.reference))), ngModuleDefFactory ])); if (ngModuleMeta.id) { const /** @type {?} */ registerFactoryStmt = importExpr(Identifiers.RegisterModuleFactoryFn) .callFn([literal(ngModuleMeta.id), variable(ngModuleFactoryVar)]) .toStmt(); ctx.statements.push(registerFactoryStmt); } return new NgModuleCompileResult(ngModuleFactoryVar); } /** * @param {?} ctx * @param {?} ngModuleReference * @return {?} */ createStub(ctx, ngModuleReference) { this._createNgModuleFactory(ctx, ngModuleReference, NULL_EXPR); } /** * @param {?} ctx * @param {?} reference * @param {?} value * @return {?} */ _createNgModuleFactory(ctx, reference, value) { const /** @type {?} */ ngModuleFactoryVar = `${identifierName({ reference: reference })}NgFactory`; const /** @type {?} */ ngModuleFactoryStmt = variable(ngModuleFactoryVar) .set(value) .toDeclStmt(importType(Identifiers.NgModuleFactory, [/** @type {?} */ ((expressionType(ctx.importExpr(reference))))], [TypeModifier.Const]), [StmtModifier.Final, StmtModifier.Exported]); ctx.statements.push(ngModuleFactoryStmt); } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * Resolves types to {\@link NgModule}. */ class NgModuleResolver { /** * @param {?} _reflector */ constructor(_reflector) { this._reflector = _reflector; } /** * @param {?} type * @return {?} */ isNgModule(type) { return this._reflector.annotations(type).some(createNgModule.isTypeOf); } /** * @param {?} type * @param {?=} throwIfNotFound * @return {?} */ resolve(type, throwIfNotFound = true) { const /** @type {?} */ ngModuleMeta = findLast(this._reflector.annotations(type), createNgModule.isTypeOf); if (ngModuleMeta) { return ngModuleMeta; } else { if (throwIfNotFound) { throw new Error(`No NgModule metadata found for '${stringify(type)}'.`); } return null; } } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ // https://docs.google.com/document/d/1U1RGAehQwRypUTovF1KRlpiOFze0b-_2gc6fAH0KY0k/edit const VERSION$1 = 3; const JS_B64_PREFIX = '# sourceMappingURL=data:application/json;base64,'; class SourceMapGenerator { /** * @param {?=} file */ constructor(file = null) { this.file = file; this.sourcesContent = new Map(); this.lines = []; this.lastCol0 = 0; this.hasMappings = false; } /** * @param {?} url * @param {?=} content * @return {?} */ addSource(url, content = null) { if (!this.sourcesContent.has(url)) { this.sourcesContent.set(url, content); } return this; } /** * @return {?} */ addLine() { this.lines.push([]); this.lastCol0 = 0; return this; } /** * @param {?} col0 * @param {?=} sourceUrl * @param {?=} sourceLine0 * @param {?=} sourceCol0 * @return {?} */ addMapping(col0, sourceUrl, sourceLine0, sourceCol0) { if (!this.currentLine) { throw new Error(`A line must be added before mappings can be added`); } if (sourceUrl != null && !this.sourcesContent.has(sourceUrl)) { throw new Error(`Unknown source file "${sourceUrl}"`); } if (col0 == null) { throw new Error(`The column in the generated code must be provided`); } if (col0 < this.lastCol0) { throw new Error(`Mapping should be added in output order`); } if (sourceUrl && (sourceLine0 == null || sourceCol0 == null)) { throw new Error(`The source location must be provided when a source url is provided`); } this.hasMappings = true; this.lastCol0 = col0; this.currentLine.push({ col0, sourceUrl, sourceLine0, sourceCol0 }); return this; } /** * @return {?} */ get currentLine() { return this.lines.slice(-1)[0]; } /** * @return {?} */ toJSON() { if (!this.hasMappings) { return null; } const /** @type {?} */ sourcesIndex = new Map(); const /** @type {?} */ sources = []; const /** @type {?} */ sourcesContent = []; Array.from(this.sourcesContent.keys()).forEach((url, i) => { sourcesIndex.set(url, i); sources.push(url); sourcesContent.push(this.sourcesContent.get(url) || null); }); let /** @type {?} */ mappings = ''; let /** @type {?} */ lastCol0 = 0; let /** @type {?} */ lastSourceIndex = 0; let /** @type {?} */ lastSourceLine0 = 0; let /** @type {?} */ lastSourceCol0 = 0; this.lines.forEach(segments => { lastCol0 = 0; mappings += segments .map(segment => { // zero-based starting column of the line in the generated code let /** @type {?} */ segAsStr = toBase64VLQ(segment.col0 - lastCol0); lastCol0 = segment.col0; if (segment.sourceUrl != null) { // zero-based index into the “sources” list segAsStr += toBase64VLQ(/** @type {?} */ ((sourcesIndex.get(segment.sourceUrl))) - lastSourceIndex); lastSourceIndex = /** @type {?} */ ((sourcesIndex.get(segment.sourceUrl))); // the zero-based starting line in the original source segAsStr += toBase64VLQ(/** @type {?} */ ((segment.sourceLine0)) - lastSourceLine0); lastSourceLine0 = /** @type {?} */ ((segment.sourceLine0)); // the zero-based starting column in the original source segAsStr += toBase64VLQ(/** @type {?} */ ((segment.sourceCol0)) - lastSourceCol0); lastSourceCol0 = /** @type {?} */ ((segment.sourceCol0)); } return segAsStr; }) .join(','); mappings += ';'; }); mappings = mappings.slice(0, -1); return { 'file': this.file || '', 'version': VERSION$1, 'sourceRoot': '', 'sources': sources, 'sourcesContent': sourcesContent, 'mappings': mappings, }; } /** * @return {?} */ toJsComment() { return this.hasMappings ? '//' + JS_B64_PREFIX + toBase64String(JSON.stringify(this, null, 0)) : ''; } } /** * @param {?} value * @return {?} */ function toBase64String(value) { let /** @type {?} */ b64 = ''; value = utf8Encode(value); for (let /** @type {?} */ i = 0; i < value.length;) { const /** @type {?} */ i1 = value.charCodeAt(i++); const /** @type {?} */ i2 = value.charCodeAt(i++); const /** @type {?} */ i3 = value.charCodeAt(i++); b64 += toBase64Digit(i1 >> 2); b64 += toBase64Digit(((i1 & 3) << 4) | (isNaN(i2) ? 0 : i2 >> 4)); b64 += isNaN(i2) ? '=' : toBase64Digit(((i2 & 15) << 2) | (i3 >> 6)); b64 += isNaN(i2) || isNaN(i3) ? '=' : toBase64Digit(i3 & 63); } return b64; } /** * @param {?} value * @return {?} */ function toBase64VLQ(value) { value = value < 0 ? ((-value) << 1) + 1 : value << 1; let /** @type {?} */ out = ''; do { let /** @type {?} */ digit = value & 31; value = value >> 5; if (value > 0) { digit = digit | 32; } out += toBase64Digit(digit); } while (value > 0); return out; } const B64_DIGITS = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/'; /** * @param {?} value * @return {?} */ function toBase64Digit(value) { if (value < 0 || value >= 64) { throw new Error(`Can only encode value in the range [0, 63]`); } return B64_DIGITS[value]; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const _SINGLE_QUOTE_ESCAPE_STRING_RE = /'|\\|\n|\r|\$/g; const _LEGAL_IDENTIFIER_RE = /^[$A-Z_][0-9A-Z_$]*$/i; const _INDENT_WITH = ' '; const CATCH_ERROR_VAR$1 = variable('error', null, null); const CATCH_STACK_VAR$1 = variable('stack', null, null); /** * @record */ class _EmittedLine { /** * @param {?} indent */ constructor(indent) { this.indent = indent; this.partsLength = 0; this.parts = []; this.srcSpans = []; } } class EmitterVisitorContext { /** * @param {?} _indent */ constructor(_indent) { this._indent = _indent; this._classes = []; this._preambleLineCount = 0; this._lines = [new _EmittedLine(_indent)]; } /** * @return {?} */ static createRoot() { return new EmitterVisitorContext(0); } /** * @return {?} */ get _currentLine() { return this._lines[this._lines.length - 1]; } /** * @param {?=} from * @param {?=} lastPart * @return {?} */ println(from, lastPart = '') { this.print(from || null, lastPart, true); } /** * @return {?} */ lineIsEmpty() { return this._currentLine.parts.length === 0; } /** * @return {?} */ lineLength() { return this._currentLine.indent * _INDENT_WITH.length + this._currentLine.partsLength; } /** * @param {?} from * @param {?} part * @param {?=} newLine * @return {?} */ print(from, part, newLine = false) { if (part.length > 0) { this._currentLine.parts.push(part); this._currentLine.partsLength += part.length; this._currentLine.srcSpans.push(from && from.sourceSpan || null); } if (newLine) { this._lines.push(new _EmittedLine(this._indent)); } } /** * @return {?} */ removeEmptyLastLine() { if (this.lineIsEmpty()) { this._lines.pop(); } } /** * @return {?} */ incIndent() { this._indent++; if (this.lineIsEmpty()) { this._currentLine.indent = this._indent; } } /** * @return {?} */ decIndent() { this._indent--; if (this.lineIsEmpty()) { this._currentLine.indent = this._indent; } } /** * @param {?} clazz * @return {?} */ pushClass(clazz) { this._classes.push(clazz); } /** * @return {?} */ popClass() { return /** @type {?} */ ((this._classes.pop())); } /** * @return {?} */ get currentClass() { return this._classes.length > 0 ? this._classes[this._classes.length - 1] : null; } /** * @return {?} */ toSource() { return this.sourceLines .map(l => l.parts.length > 0 ? _createIndent(l.indent) + l.parts.join('') : '') .join('\n'); } /** * @param {?} genFilePath * @param {?=} startsAtLine * @return {?} */ toSourceMapGenerator(genFilePath, startsAtLine = 0) { const /** @type {?} */ map = new SourceMapGenerator(genFilePath); let /** @type {?} */ firstOffsetMapped = false; const /** @type {?} */ mapFirstOffsetIfNeeded = () => { if (!firstOffsetMapped) { // Add a single space so that tools won't try to load the file from disk. // Note: We are using virtual urls like `ng:///`, so we have to // provide a content here. map.addSource(genFilePath, ' ').addMapping(0, genFilePath, 0, 0); firstOffsetMapped = true; } }; for (let /** @type {?} */ i = 0; i < startsAtLine; i++) { map.addLine(); mapFirstOffsetIfNeeded(); } this.sourceLines.forEach((line, lineIdx) => { map.addLine(); const /** @type {?} */ spans = line.srcSpans; const /** @type {?} */ parts = line.parts; let /** @type {?} */ col0 = line.indent * _INDENT_WITH.length; let /** @type {?} */ spanIdx = 0; // skip leading parts without source spans while (spanIdx < spans.length && !spans[spanIdx]) { col0 += parts[spanIdx].length; spanIdx++; } if (spanIdx < spans.length && lineIdx === 0 && col0 === 0) { firstOffsetMapped = true; } else { mapFirstOffsetIfNeeded(); } while (spanIdx < spans.length) { const /** @type {?} */ span = /** @type {?} */ ((spans[spanIdx])); const /** @type {?} */ source = span.start.file; const /** @type {?} */ sourceLine = span.start.line; const /** @type {?} */ sourceCol = span.start.col; map.addSource(source.url, source.content) .addMapping(col0, source.url, sourceLine, sourceCol); col0 += parts[spanIdx].length; spanIdx++; // assign parts without span or the same span to the previous segment while (spanIdx < spans.length && (span === spans[spanIdx] || !spans[spanIdx])) { col0 += parts[spanIdx].length; spanIdx++; } } }); return map; } /** * @param {?} count * @return {?} */ setPreambleLineCount(count) { return this._preambleLineCount = count; } /** * @param {?} line * @param {?} column * @return {?} */ spanOf(line, column) { const /** @type {?} */ emittedLine = this._lines[line - this._preambleLineCount]; if (emittedLine) { let /** @type {?} */ columnsLeft = column - _createIndent(emittedLine.indent).length; for (let /** @type {?} */ partIndex = 0; partIndex < emittedLine.parts.length; partIndex++) { const /** @type {?} */ part = emittedLine.parts[partIndex]; if (part.length > columnsLeft) { return emittedLine.srcSpans[partIndex]; } columnsLeft -= part.length; } } return null; } /** * @return {?} */ get sourceLines() { if (this._lines.length && this._lines[this._lines.length - 1].parts.length === 0) { return this._lines.slice(0, -1); } return this._lines; } } /** * @abstract */ class AbstractEmitterVisitor { /** * @param {?} _escapeDollarInStrings */ constructor(_escapeDollarInStrings) { this._escapeDollarInStrings = _escapeDollarInStrings; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitExpressionStmt(stmt, ctx) { stmt.expr.visitExpression(this, ctx); ctx.println(stmt, ';'); return null; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitReturnStmt(stmt, ctx) { ctx.print(stmt, `return `); stmt.value.visitExpression(this, ctx); ctx.println(stmt, ';'); return null; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitIfStmt(stmt, ctx) { ctx.print(stmt, `if (`); stmt.condition.visitExpression(this, ctx); ctx.print(stmt, `) {`); const /** @type {?} */ hasElseCase = stmt.falseCase != null && stmt.falseCase.length > 0; if (stmt.trueCase.length <= 1 && !hasElseCase) { ctx.print(stmt, ` `); this.visitAllStatements(stmt.trueCase, ctx); ctx.removeEmptyLastLine(); ctx.print(stmt, ` `); } else { ctx.println(); ctx.incIndent(); this.visitAllStatements(stmt.trueCase, ctx); ctx.decIndent(); if (hasElseCase) { ctx.println(stmt, `} else {`); ctx.incIndent(); this.visitAllStatements(stmt.falseCase, ctx); ctx.decIndent(); } } ctx.println(stmt, `}`); return null; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitThrowStmt(stmt, ctx) { ctx.print(stmt, `throw `); stmt.error.visitExpression(this, ctx); ctx.println(stmt, `;`); return null; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitCommentStmt(stmt, ctx) { const /** @type {?} */ lines = stmt.comment.split('\n'); lines.forEach((line) => { ctx.println(stmt, `// ${line}`); }); return null; } /** * @param {?} expr * @param {?} ctx * @return {?} */ visitWriteVarExpr(expr, ctx) { const /** @type {?} */ lineWasEmpty = ctx.lineIsEmpty(); if (!lineWasEmpty) { ctx.print(expr, '('); } ctx.print(expr, `${expr.name} = `); expr.value.visitExpression(this, ctx); if (!lineWasEmpty) { ctx.print(expr, ')'); } return null; } /** * @param {?} expr * @param {?} ctx * @return {?} */ visitWriteKeyExpr(expr, ctx) { const /** @type {?} */ lineWasEmpty = ctx.lineIsEmpty(); if (!lineWasEmpty) { ctx.print(expr, '('); } expr.receiver.visitExpression(this, ctx); ctx.print(expr, `[`); expr.index.visitExpression(this, ctx); ctx.print(expr, `] = `); expr.value.visitExpression(this, ctx); if (!lineWasEmpty) { ctx.print(expr, ')'); } return null; } /** * @param {?} expr * @param {?} ctx * @return {?} */ visitWritePropExpr(expr, ctx) { const /** @type {?} */ lineWasEmpty = ctx.lineIsEmpty(); if (!lineWasEmpty) { ctx.print(expr, '('); } expr.receiver.visitExpression(this, ctx); ctx.print(expr, `.${expr.name} = `); expr.value.visitExpression(this, ctx); if (!lineWasEmpty) { ctx.print(expr, ')'); } return null; } /** * @param {?} expr * @param {?} ctx * @return {?} */ visitInvokeMethodExpr(expr, ctx) { expr.receiver.visitExpression(this, ctx); let /** @type {?} */ name = expr.name; if (expr.builtin != null) { name = this.getBuiltinMethodName(expr.builtin); if (name == null) { // some builtins just mean to skip the call. return null; } } ctx.print(expr, `.${name}(`); this.visitAllExpressions(expr.args, ctx, `,`); ctx.print(expr, `)`); return null; } /** * @param {?} expr * @param {?} ctx * @return {?} */ visitInvokeFunctionExpr(expr, ctx) { expr.fn.visitExpression(this, ctx); ctx.print(expr, `(`); this.visitAllExpressions(expr.args, ctx, ','); ctx.print(expr, `)`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitReadVarExpr(ast, ctx) { let /** @type {?} */ varName = /** @type {?} */ ((ast.name)); if (ast.builtin != null) { switch (ast.builtin) { case BuiltinVar.Super: varName = 'super'; break; case BuiltinVar.This: varName = 'this'; break; case BuiltinVar.CatchError: varName = /** @type {?} */ ((CATCH_ERROR_VAR$1.name)); break; case BuiltinVar.CatchStack: varName = /** @type {?} */ ((CATCH_STACK_VAR$1.name)); break; default: throw new Error(`Unknown builtin variable ${ast.builtin}`); } } ctx.print(ast, varName); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitInstantiateExpr(ast, ctx) { ctx.print(ast, `new `); ast.classExpr.visitExpression(this, ctx); ctx.print(ast, `(`); this.visitAllExpressions(ast.args, ctx, ','); ctx.print(ast, `)`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitLiteralExpr(ast, ctx) { const /** @type {?} */ value = ast.value; if (typeof value === 'string') { ctx.print(ast, escapeIdentifier(value, this._escapeDollarInStrings)); } else { ctx.print(ast, `${value}`); } return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitConditionalExpr(ast, ctx) { ctx.print(ast, `(`); ast.condition.visitExpression(this, ctx); ctx.print(ast, '? '); ast.trueCase.visitExpression(this, ctx); ctx.print(ast, ': '); /** @type {?} */ ((ast.falseCase)).visitExpression(this, ctx); ctx.print(ast, `)`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitNotExpr(ast, ctx) { ctx.print(ast, '!'); ast.condition.visitExpression(this, ctx); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitAssertNotNullExpr(ast, ctx) { ast.condition.visitExpression(this, ctx); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitBinaryOperatorExpr(ast, ctx) { let /** @type {?} */ opStr; switch (ast.operator) { case BinaryOperator.Equals: opStr = '=='; break; case BinaryOperator.Identical: opStr = '==='; break; case BinaryOperator.NotEquals: opStr = '!='; break; case BinaryOperator.NotIdentical: opStr = '!=='; break; case BinaryOperator.And: opStr = '&&'; break; case BinaryOperator.Or: opStr = '||'; break; case BinaryOperator.Plus: opStr = '+'; break; case BinaryOperator.Minus: opStr = '-'; break; case BinaryOperator.Divide: opStr = '/'; break; case BinaryOperator.Multiply: opStr = '*'; break; case BinaryOperator.Modulo: opStr = '%'; break; case BinaryOperator.Lower: opStr = '<'; break; case BinaryOperator.LowerEquals: opStr = '<='; break; case BinaryOperator.Bigger: opStr = '>'; break; case BinaryOperator.BiggerEquals: opStr = '>='; break; default: throw new Error(`Unknown operator ${ast.operator}`); } ctx.print(ast, `(`); ast.lhs.visitExpression(this, ctx); ctx.print(ast, ` ${opStr} `); ast.rhs.visitExpression(this, ctx); ctx.print(ast, `)`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitReadPropExpr(ast, ctx) { ast.receiver.visitExpression(this, ctx); ctx.print(ast, `.`); ctx.print(ast, ast.name); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitReadKeyExpr(ast, ctx) { ast.receiver.visitExpression(this, ctx); ctx.print(ast, `[`); ast.index.visitExpression(this, ctx); ctx.print(ast, `]`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitLiteralArrayExpr(ast, ctx) { ctx.print(ast, `[`); this.visitAllExpressions(ast.entries, ctx, ','); ctx.print(ast, `]`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitLiteralMapExpr(ast, ctx) { ctx.print(ast, `{`); this.visitAllObjects(entry => { ctx.print(ast, `${escapeIdentifier(entry.key, this._escapeDollarInStrings, entry.quoted)}:`); entry.value.visitExpression(this, ctx); }, ast.entries, ctx, ','); ctx.print(ast, `}`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitCommaExpr(ast, ctx) { ctx.print(ast, '('); this.visitAllExpressions(ast.parts, ctx, ','); ctx.print(ast, ')'); return null; } /** * @param {?} expressions * @param {?} ctx * @param {?} separator * @return {?} */ visitAllExpressions(expressions, ctx, separator) { this.visitAllObjects(expr => expr.visitExpression(this, ctx), expressions, ctx, separator); } /** * @template T * @param {?} handler * @param {?} expressions * @param {?} ctx * @param {?} separator * @return {?} */ visitAllObjects(handler, expressions, ctx, separator) { let /** @type {?} */ incrementedIndent = false; for (let /** @type {?} */ i = 0; i < expressions.length; i++) { if (i > 0) { if (ctx.lineLength() > 80) { ctx.print(null, separator, true); if (!incrementedIndent) { // continuation are marked with double indent. ctx.incIndent(); ctx.incIndent(); incrementedIndent = true; } } else { ctx.print(null, separator, false); } } handler(expressions[i]); } if (incrementedIndent) { // continuation are marked with double indent. ctx.decIndent(); ctx.decIndent(); } } /** * @param {?} statements * @param {?} ctx * @return {?} */ visitAllStatements(statements, ctx) { statements.forEach((stmt) => stmt.visitStatement(this, ctx)); } } /** * @param {?} input * @param {?} escapeDollar * @param {?=} alwaysQuote * @return {?} */ function escapeIdentifier(input, escapeDollar, alwaysQuote = true) { if (input == null) { return null; } const /** @type {?} */ body = input.replace(_SINGLE_QUOTE_ESCAPE_STRING_RE, (...match) => { if (match[0] == '$') { return escapeDollar ? '\\$' : '$'; } else if (match[0] == '\n') { return '\\n'; } else if (match[0] == '\r') { return '\\r'; } else { return `\\${match[0]}`; } }); const /** @type {?} */ requiresQuotes = alwaysQuote || !_LEGAL_IDENTIFIER_RE.test(body); return requiresQuotes ? `'${body}'` : body; } /** * @param {?} count * @return {?} */ function _createIndent(count) { let /** @type {?} */ res = ''; for (let /** @type {?} */ i = 0; i < count; i++) { res += _INDENT_WITH; } return res; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @param {?} ast * @return {?} */ function debugOutputAstAsTypeScript(ast) { const /** @type {?} */ converter = new _TsEmitterVisitor(); const /** @type {?} */ ctx = EmitterVisitorContext.createRoot(); const /** @type {?} */ asts = Array.isArray(ast) ? ast : [ast]; asts.forEach((ast) => { if (ast instanceof Statement) { ast.visitStatement(converter, ctx); } else if (ast instanceof Expression) { ast.visitExpression(converter, ctx); } else if (ast instanceof Type$1) { ast.visitType(converter, ctx); } else { throw new Error(`Don't know how to print debug info for ${ast}`); } }); return ctx.toSource(); } class TypeScriptEmitter { /** * @param {?} genFilePath * @param {?} stmts * @param {?=} preamble * @param {?=} emitSourceMaps * @param {?=} referenceFilter * @return {?} */ emitStatementsAndContext(genFilePath, stmts, preamble = '', emitSourceMaps = true, referenceFilter) { const /** @type {?} */ converter = new _TsEmitterVisitor(referenceFilter); const /** @type {?} */ ctx = EmitterVisitorContext.createRoot(); converter.visitAllStatements(stmts, ctx); const /** @type {?} */ preambleLines = preamble ? preamble.split('\n') : []; converter.reexports.forEach((reexports, exportedModuleName) => { const /** @type {?} */ reexportsCode = reexports.map(reexport => `${reexport.name} as ${reexport.as}`).join(','); preambleLines.push(`export {${reexportsCode}} from '${exportedModuleName}';`); }); converter.importsWithPrefixes.forEach((prefix, importedModuleName) => { // Note: can't write the real word for import as it screws up system.js auto detection... preambleLines.push(`imp` + `ort * as ${prefix} from '${importedModuleName}';`); }); const /** @type {?} */ sm = emitSourceMaps ? ctx.toSourceMapGenerator(genFilePath, preambleLines.length).toJsComment() : ''; const /** @type {?} */ lines = [...preambleLines, ctx.toSource(), sm]; if (sm) { // always add a newline at the end, as some tools have bugs without it. lines.push(''); } ctx.setPreambleLineCount(preambleLines.length); return { sourceText: lines.join('\n'), context: ctx }; } /** * @param {?} genFilePath * @param {?} stmts * @param {?=} preamble * @return {?} */ emitStatements(genFilePath, stmts, preamble = '') { return this.emitStatementsAndContext(genFilePath, stmts, preamble).sourceText; } } class _TsEmitterVisitor extends AbstractEmitterVisitor { /** * @param {?=} referenceFilter */ constructor(referenceFilter) { super(false); this.referenceFilter = referenceFilter; this.typeExpression = 0; this.importsWithPrefixes = new Map(); this.reexports = new Map(); } /** * @param {?} t * @param {?} ctx * @param {?=} defaultType * @return {?} */ visitType(t, ctx, defaultType = 'any') { if (t) { this.typeExpression++; t.visitType(this, ctx); this.typeExpression--; } else { ctx.print(null, defaultType); } } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitLiteralExpr(ast, ctx) { const /** @type {?} */ value = ast.value; if (value == null && ast.type != INFERRED_TYPE) { ctx.print(ast, `(${value} as any)`); return null; } return super.visitLiteralExpr(ast, ctx); } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitLiteralArrayExpr(ast, ctx) { if (ast.entries.length === 0) { ctx.print(ast, '('); } const /** @type {?} */ result = super.visitLiteralArrayExpr(ast, ctx); if (ast.entries.length === 0) { ctx.print(ast, ' as any[])'); } return result; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitExternalExpr(ast, ctx) { this._visitIdentifier(ast.value, ast.typeParams, ctx); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitAssertNotNullExpr(ast, ctx) { const /** @type {?} */ result = super.visitAssertNotNullExpr(ast, ctx); ctx.print(ast, '!'); return result; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitDeclareVarStmt(stmt, ctx) { if (stmt.hasModifier(StmtModifier.Exported) && stmt.value instanceof ExternalExpr && !stmt.type) { // check for a reexport const { name, moduleName } = stmt.value.value; if (moduleName) { let /** @type {?} */ reexports = this.reexports.get(moduleName); if (!reexports) { reexports = []; this.reexports.set(moduleName, reexports); } reexports.push({ name: /** @type {?} */ ((name)), as: stmt.name }); return null; } } if (stmt.hasModifier(StmtModifier.Exported)) { ctx.print(stmt, `export `); } if (stmt.hasModifier(StmtModifier.Final)) { ctx.print(stmt, `const`); } else { ctx.print(stmt, `var`); } ctx.print(stmt, ` ${stmt.name}`); this._printColonType(stmt.type, ctx); ctx.print(stmt, ` = `); stmt.value.visitExpression(this, ctx); ctx.println(stmt, `;`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitCastExpr(ast, ctx) { ctx.print(ast, `(<`); /** @type {?} */ ((ast.type)).visitType(this, ctx); ctx.print(ast, `>`); ast.value.visitExpression(this, ctx); ctx.print(ast, `)`); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitInstantiateExpr(ast, ctx) { ctx.print(ast, `new `); this.typeExpression++; ast.classExpr.visitExpression(this, ctx); this.typeExpression--; ctx.print(ast, `(`); this.visitAllExpressions(ast.args, ctx, ','); ctx.print(ast, `)`); return null; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitDeclareClassStmt(stmt, ctx) { ctx.pushClass(stmt); if (stmt.hasModifier(StmtModifier.Exported)) { ctx.print(stmt, `export `); } ctx.print(stmt, `class ${stmt.name}`); if (stmt.parent != null) { ctx.print(stmt, ` extends `); this.typeExpression++; stmt.parent.visitExpression(this, ctx); this.typeExpression--; } ctx.println(stmt, ` {`); ctx.incIndent(); stmt.fields.forEach((field) => this._visitClassField(field, ctx)); if (stmt.constructorMethod != null) { this._visitClassConstructor(stmt, ctx); } stmt.getters.forEach((getter) => this._visitClassGetter(getter, ctx)); stmt.methods.forEach((method) => this._visitClassMethod(method, ctx)); ctx.decIndent(); ctx.println(stmt, `}`); ctx.popClass(); return null; } /** * @param {?} field * @param {?} ctx * @return {?} */ _visitClassField(field, ctx) { if (field.hasModifier(StmtModifier.Private)) { // comment out as a workaround for #10967 ctx.print(null, `/*private*/ `); } ctx.print(null, field.name); this._printColonType(field.type, ctx); ctx.println(null, `;`); } /** * @param {?} getter * @param {?} ctx * @return {?} */ _visitClassGetter(getter, ctx) { if (getter.hasModifier(StmtModifier.Private)) { ctx.print(null, `private `); } ctx.print(null, `get ${getter.name}()`); this._printColonType(getter.type, ctx); ctx.println(null, ` {`); ctx.incIndent(); this.visitAllStatements(getter.body, ctx); ctx.decIndent(); ctx.println(null, `}`); } /** * @param {?} stmt * @param {?} ctx * @return {?} */ _visitClassConstructor(stmt, ctx) { ctx.print(stmt, `constructor(`); this._visitParams(stmt.constructorMethod.params, ctx); ctx.println(stmt, `) {`); ctx.incIndent(); this.visitAllStatements(stmt.constructorMethod.body, ctx); ctx.decIndent(); ctx.println(stmt, `}`); } /** * @param {?} method * @param {?} ctx * @return {?} */ _visitClassMethod(method, ctx) { if (method.hasModifier(StmtModifier.Private)) { ctx.print(null, `private `); } ctx.print(null, `${method.name}(`); this._visitParams(method.params, ctx); ctx.print(null, `)`); this._printColonType(method.type, ctx, 'void'); ctx.println(null, ` {`); ctx.incIndent(); this.visitAllStatements(method.body, ctx); ctx.decIndent(); ctx.println(null, `}`); } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitFunctionExpr(ast, ctx) { ctx.print(ast, `(`); this._visitParams(ast.params, ctx); ctx.print(ast, `)`); this._printColonType(ast.type, ctx, 'void'); ctx.println(ast, ` => {`); ctx.incIndent(); this.visitAllStatements(ast.statements, ctx); ctx.decIndent(); ctx.print(ast, `}`); return null; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitDeclareFunctionStmt(stmt, ctx) { if (stmt.hasModifier(StmtModifier.Exported)) { ctx.print(stmt, `export `); } ctx.print(stmt, `function ${stmt.name}(`); this._visitParams(stmt.params, ctx); ctx.print(stmt, `)`); this._printColonType(stmt.type, ctx, 'void'); ctx.println(stmt, ` {`); ctx.incIndent(); this.visitAllStatements(stmt.statements, ctx); ctx.decIndent(); ctx.println(stmt, `}`); return null; } /** * @param {?} stmt * @param {?} ctx * @return {?} */ visitTryCatchStmt(stmt, ctx) { ctx.println(stmt, `try {`); ctx.incIndent(); this.visitAllStatements(stmt.bodyStmts, ctx); ctx.decIndent(); ctx.println(stmt, `} catch (${CATCH_ERROR_VAR$1.name}) {`); ctx.incIndent(); const /** @type {?} */ catchStmts = [/** @type {?} */ (CATCH_STACK_VAR$1.set(CATCH_ERROR_VAR$1.prop('stack', null)).toDeclStmt(null, [ StmtModifier.Final ]))].concat(stmt.catchStmts); this.visitAllStatements(catchStmts, ctx); ctx.decIndent(); ctx.println(stmt, `}`); return null; } /** * @param {?} type * @param {?} ctx * @return {?} */ visitBuiltintType(type, ctx) { let /** @type {?} */ typeStr; switch (type.name) { case BuiltinTypeName.Bool: typeStr = 'boolean'; break; case BuiltinTypeName.Dynamic: typeStr = 'any'; break; case BuiltinTypeName.Function: typeStr = 'Function'; break; case BuiltinTypeName.Number: typeStr = 'number'; break; case BuiltinTypeName.Int: typeStr = 'number'; break; case BuiltinTypeName.String: typeStr = 'string'; break; default: throw new Error(`Unsupported builtin type ${type.name}`); } ctx.print(null, typeStr); return null; } /** * @param {?} ast * @param {?} ctx * @return {?} */ visitExpressionType(ast, ctx) { ast.value.visitExpression(this, ctx); return null; } /** * @param {?} type * @param {?} ctx * @return {?} */ visitArrayType(type, ctx) { this.visitType(type.of, ctx); ctx.print(null, `[]`); return null; } /** * @param {?} type * @param {?} ctx * @return {?} */ visitMapType(type, ctx) { ctx.print(null, `{[key: string]:`); this.visitType(type.valueType, ctx); ctx.print(null, `}`); return null; } /** * @param {?} method * @return {?} */ getBuiltinMethodName(method) { let /** @type {?} */ name; switch (method) { case BuiltinMethod.ConcatArray: name = 'concat'; break; case BuiltinMethod.SubscribeObservable: name = 'subscribe'; break; case BuiltinMethod.Bind: name = 'bind'; break; default: throw new Error(`Unknown builtin method: ${method}`); } return name; } /** * @param {?} params * @param {?} ctx * @return {?} */ _visitParams(params, ctx) { this.visitAllObjects(param => { ctx.print(null, param.name); this._printColonType(param.type, ctx); }, params, ctx, ','); } /** * @param {?} value * @param {?} typeParams * @param {?} ctx * @return {?} */ _visitIdentifier(value, typeParams, ctx) { const { name, moduleName } = value; if (this.referenceFilter && this.referenceFilter(value)) { ctx.print(null, '(null as any)'); return; } if (moduleName) { let /** @type {?} */ prefix = this.importsWithPrefixes.get(moduleName); if (prefix == null) { prefix = `i${this.importsWithPrefixes.size}`; this.importsWithPrefixes.set(moduleName, prefix); } ctx.print(null, `${prefix}.`); } ctx.print(null, /** @type {?} */ ((name))); if (this.typeExpression > 0) { // If we are in a type expression that refers to a generic type then supply // the required type parameters. If there were not enough type parameters // supplied, supply any as the type. Outside a type expression the reference // should not supply type parameters and be treated as a simple value reference // to the constructor function itself. const /** @type {?} */ suppliedParameters = typeParams || []; if (suppliedParameters.length > 0) { ctx.print(null, `<`); this.visitAllObjects(type => type.visitType(this, ctx), /** @type {?} */ ((typeParams)), ctx, ','); ctx.print(null, `>`); } } } /** * @param {?} type * @param {?} ctx * @param {?=} defaultType * @return {?} */ _printColonType(type, ctx, defaultType) { if (type !== INFERRED_TYPE) { ctx.print(null, ':'); this.visitType(type, ctx, defaultType); } } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * Resolve a `Type` for {\@link Pipe}. * * This interface can be overridden by the application developer to create custom behavior. * * See {\@link Compiler} */ class PipeResolver { /** * @param {?} _reflector */ constructor(_reflector) { this._reflector = _reflector; } /** * @param {?} type * @return {?} */ isPipe(type) { const /** @type {?} */ typeMetadata = this._reflector.annotations(resolveForwardRef(type)); return typeMetadata && typeMetadata.some(createPipe.isTypeOf); } /** * Return {\@link Pipe} for a given `Type`. * @param {?} type * @param {?=} throwIfNotFound * @return {?} */ resolve(type, throwIfNotFound = true) { const /** @type {?} */ metas = this._reflector.annotations(resolveForwardRef(type)); if (metas) { const /** @type {?} */ annotation = findLast(metas, createPipe.isTypeOf); if (annotation) { return annotation; } } if (throwIfNotFound) { throw new Error(`No Pipe decorator found on ${stringify(type)}`); } return null; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * Map from tagName|propertyName SecurityContext. Properties applying to all tags use '*'. */ const SECURITY_SCHEMA = {}; /** * @param {?} ctx * @param {?} specs * @return {?} */ function registerContext(ctx, specs) { for (const /** @type {?} */ spec of specs) SECURITY_SCHEMA[spec.toLowerCase()] = ctx; } // Case is insignificant below, all element and attribute names are lower-cased for lookup. registerContext(SecurityContext.HTML, [ 'iframe|srcdoc', '*|innerHTML', '*|outerHTML', ]); registerContext(SecurityContext.STYLE, ['*|style']); // NB: no SCRIPT contexts here, they are never allowed due to the parser stripping them. registerContext(SecurityContext.URL, [ '*|formAction', 'area|href', 'area|ping', 'audio|src', 'a|href', 'a|ping', 'blockquote|cite', 'body|background', 'del|cite', 'form|action', 'img|src', 'img|srcset', 'input|src', 'ins|cite', 'q|cite', 'source|src', 'source|srcset', 'track|src', 'video|poster', 'video|src', ]); registerContext(SecurityContext.RESOURCE_URL, [ 'applet|code', 'applet|codebase', 'base|href', 'embed|src', 'frame|src', 'head|profile', 'html|manifest', 'iframe|src', 'link|href', 'media|src', 'object|codebase', 'object|data', 'script|src', ]); /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * @abstract */ class ElementSchemaRegistry { } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const BOOLEAN = 'boolean'; const NUMBER = 'number'; const STRING = 'string'; const OBJECT = 'object'; /** * This array represents the DOM schema. It encodes inheritance, properties, and events. * * ## Overview * * Each line represents one kind of element. The `element_inheritance` and properties are joined * using `element_inheritance|properties` syntax. * * ## Element Inheritance * * The `element_inheritance` can be further subdivided as `element1,element2,...^parentElement`. * Here the individual elements are separated by `,` (commas). Every element in the list * has identical properties. * * An `element` may inherit additional properties from `parentElement` If no `^parentElement` is * specified then `""` (blank) element is assumed. * * NOTE: The blank element inherits from root `[Element]` element, the super element of all * elements. * * NOTE an element prefix such as `:svg:` has no special meaning to the schema. * * ## Properties * * Each element has a set of properties separated by `,` (commas). Each property can be prefixed * by a special character designating its type: * * - (no prefix): property is a string. * - `*`: property represents an event. * - `!`: property is a boolean. * - `#`: property is a number. * - `%`: property is an object. * * ## Query * * The class creates an internal squas representation which allows to easily answer the query of * if a given property exist on a given element. * * NOTE: We don't yet support querying for types or events. * NOTE: This schema is auto extracted from `schema_extractor.ts` located in the test folder, * see dom_element_schema_registry_spec.ts */ const SCHEMA = [ '[Element]|textContent,%classList,className,id,innerHTML,*beforecopy,*beforecut,*beforepaste,*copy,*cut,*paste,*search,*selectstart,*webkitfullscreenchange,*webkitfullscreenerror,*wheel,outerHTML,#scrollLeft,#scrollTop,slot' + ',*message,*mozfullscreenchange,*mozfullscreenerror,*mozpointerlockchange,*mozpointerlockerror,*webglcontextcreationerror,*webglcontextlost,*webglcontextrestored', '[HTMLElement]^[Element]|accessKey,contentEditable,dir,!draggable,!hidden,innerText,lang,*abort,*auxclick,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*cuechange,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*seeked,*seeking,*select,*show,*stalled,*submit,*suspend,*timeupdate,*toggle,*volumechange,*waiting,outerText,!spellcheck,%style,#tabIndex,title,!translate', 'abbr,address,article,aside,b,bdi,bdo,cite,code,dd,dfn,dt,em,figcaption,figure,footer,header,i,kbd,main,mark,nav,noscript,rb,rp,rt,rtc,ruby,s,samp,section,small,strong,sub,sup,u,var,wbr^[HTMLElement]|accessKey,contentEditable,dir,!draggable,!hidden,innerText,lang,*abort,*auxclick,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*cuechange,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*seeked,*seeking,*select,*show,*stalled,*submit,*suspend,*timeupdate,*toggle,*volumechange,*waiting,outerText,!spellcheck,%style,#tabIndex,title,!translate', 'media^[HTMLElement]|!autoplay,!controls,%controlsList,%crossOrigin,#currentTime,!defaultMuted,#defaultPlaybackRate,!disableRemotePlayback,!loop,!muted,*encrypted,*waitingforkey,#playbackRate,preload,src,%srcObject,#volume', ':svg:^[HTMLElement]|*abort,*auxclick,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*cuechange,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*seeked,*seeking,*select,*show,*stalled,*submit,*suspend,*timeupdate,*toggle,*volumechange,*waiting,%style,#tabIndex', ':svg:graphics^:svg:|', ':svg:animation^:svg:|*begin,*end,*repeat', ':svg:geometry^:svg:|', ':svg:componentTransferFunction^:svg:|', ':svg:gradient^:svg:|', ':svg:textContent^:svg:graphics|', ':svg:textPositioning^:svg:textContent|', 'a^[HTMLElement]|charset,coords,download,hash,host,hostname,href,hreflang,name,password,pathname,ping,port,protocol,referrerPolicy,rel,rev,search,shape,target,text,type,username', 'area^[HTMLElement]|alt,coords,download,hash,host,hostname,href,!noHref,password,pathname,ping,port,protocol,referrerPolicy,rel,search,shape,target,username', 'audio^media|', 'br^[HTMLElement]|clear', 'base^[HTMLElement]|href,target', 'body^[HTMLElement]|aLink,background,bgColor,link,*beforeunload,*blur,*error,*focus,*hashchange,*languagechange,*load,*message,*offline,*online,*pagehide,*pageshow,*popstate,*rejectionhandled,*resize,*scroll,*storage,*unhandledrejection,*unload,text,vLink', 'button^[HTMLElement]|!autofocus,!disabled,formAction,formEnctype,formMethod,!formNoValidate,formTarget,name,type,value', 'canvas^[HTMLElement]|#height,#width', 'content^[HTMLElement]|select', 'dl^[HTMLElement]|!compact', 'datalist^[HTMLElement]|', 'details^[HTMLElement]|!open', 'dialog^[HTMLElement]|!open,returnValue', 'dir^[HTMLElement]|!compact', 'div^[HTMLElement]|align', 'embed^[HTMLElement]|align,height,name,src,type,width', 'fieldset^[HTMLElement]|!disabled,name', 'font^[HTMLElement]|color,face,size', 'form^[HTMLElement]|acceptCharset,action,autocomplete,encoding,enctype,method,name,!noValidate,target', 'frame^[HTMLElement]|frameBorder,longDesc,marginHeight,marginWidth,name,!noResize,scrolling,src', 'frameset^[HTMLElement]|cols,*beforeunload,*blur,*error,*focus,*hashchange,*languagechange,*load,*message,*offline,*online,*pagehide,*pageshow,*popstate,*rejectionhandled,*resize,*scroll,*storage,*unhandledrejection,*unload,rows', 'hr^[HTMLElement]|align,color,!noShade,size,width', 'head^[HTMLElement]|', 'h1,h2,h3,h4,h5,h6^[HTMLElement]|align', 'html^[HTMLElement]|version', 'iframe^[HTMLElement]|align,!allowFullscreen,frameBorder,height,longDesc,marginHeight,marginWidth,name,referrerPolicy,%sandbox,scrolling,src,srcdoc,width', 'img^[HTMLElement]|align,alt,border,%crossOrigin,#height,#hspace,!isMap,longDesc,lowsrc,name,referrerPolicy,sizes,src,srcset,useMap,#vspace,#width', 'input^[HTMLElement]|accept,align,alt,autocapitalize,autocomplete,!autofocus,!checked,!defaultChecked,defaultValue,dirName,!disabled,%files,formAction,formEnctype,formMethod,!formNoValidate,formTarget,#height,!incremental,!indeterminate,max,#maxLength,min,#minLength,!multiple,name,pattern,placeholder,!readOnly,!required,selectionDirection,#selectionEnd,#selectionStart,#size,src,step,type,useMap,value,%valueAsDate,#valueAsNumber,#width', 'li^[HTMLElement]|type,#value', 'label^[HTMLElement]|htmlFor', 'legend^[HTMLElement]|align', 'link^[HTMLElement]|as,charset,%crossOrigin,!disabled,href,hreflang,integrity,media,referrerPolicy,rel,%relList,rev,%sizes,target,type', 'map^[HTMLElement]|name', 'marquee^[HTMLElement]|behavior,bgColor,direction,height,#hspace,#loop,#scrollAmount,#scrollDelay,!trueSpeed,#vspace,width', 'menu^[HTMLElement]|!compact', 'meta^[HTMLElement]|content,httpEquiv,name,scheme', 'meter^[HTMLElement]|#high,#low,#max,#min,#optimum,#value', 'ins,del^[HTMLElement]|cite,dateTime', 'ol^[HTMLElement]|!compact,!reversed,#start,type', 'object^[HTMLElement]|align,archive,border,code,codeBase,codeType,data,!declare,height,#hspace,name,standby,type,useMap,#vspace,width', 'optgroup^[HTMLElement]|!disabled,label', 'option^[HTMLElement]|!defaultSelected,!disabled,label,!selected,text,value', 'output^[HTMLElement]|defaultValue,%htmlFor,name,value', 'p^[HTMLElement]|align', 'param^[HTMLElement]|name,type,value,valueType', 'picture^[HTMLElement]|', 'pre^[HTMLElement]|#width', 'progress^[HTMLElement]|#max,#value', 'q,blockquote,cite^[HTMLElement]|', 'script^[HTMLElement]|!async,charset,%crossOrigin,!defer,event,htmlFor,integrity,src,text,type', 'select^[HTMLElement]|!autofocus,!disabled,#length,!multiple,name,!required,#selectedIndex,#size,value', 'shadow^[HTMLElement]|', 'slot^[HTMLElement]|name', 'source^[HTMLElement]|media,sizes,src,srcset,type', 'span^[HTMLElement]|', 'style^[HTMLElement]|!disabled,media,type', 'caption^[HTMLElement]|align', 'th,td^[HTMLElement]|abbr,align,axis,bgColor,ch,chOff,#colSpan,headers,height,!noWrap,#rowSpan,scope,vAlign,width', 'col,colgroup^[HTMLElement]|align,ch,chOff,#span,vAlign,width', 'table^[HTMLElement]|align,bgColor,border,%caption,cellPadding,cellSpacing,frame,rules,summary,%tFoot,%tHead,width', 'tr^[HTMLElement]|align,bgColor,ch,chOff,vAlign', 'tfoot,thead,tbody^[HTMLElement]|align,ch,chOff,vAlign', 'template^[HTMLElement]|', 'textarea^[HTMLElement]|autocapitalize,!autofocus,#cols,defaultValue,dirName,!disabled,#maxLength,#minLength,name,placeholder,!readOnly,!required,#rows,selectionDirection,#selectionEnd,#selectionStart,value,wrap', 'title^[HTMLElement]|text', 'track^[HTMLElement]|!default,kind,label,src,srclang', 'ul^[HTMLElement]|!compact,type', 'unknown^[HTMLElement]|', 'video^media|#height,poster,#width', ':svg:a^:svg:graphics|', ':svg:animate^:svg:animation|', ':svg:animateMotion^:svg:animation|', ':svg:animateTransform^:svg:animation|', ':svg:circle^:svg:geometry|', ':svg:clipPath^:svg:graphics|', ':svg:defs^:svg:graphics|', ':svg:desc^:svg:|', ':svg:discard^:svg:|', ':svg:ellipse^:svg:geometry|', ':svg:feBlend^:svg:|', ':svg:feColorMatrix^:svg:|', ':svg:feComponentTransfer^:svg:|', ':svg:feComposite^:svg:|', ':svg:feConvolveMatrix^:svg:|', ':svg:feDiffuseLighting^:svg:|', ':svg:feDisplacementMap^:svg:|', ':svg:feDistantLight^:svg:|', ':svg:feDropShadow^:svg:|', ':svg:feFlood^:svg:|', ':svg:feFuncA^:svg:componentTransferFunction|', ':svg:feFuncB^:svg:componentTransferFunction|', ':svg:feFuncG^:svg:componentTransferFunction|', ':svg:feFuncR^:svg:componentTransferFunction|', ':svg:feGaussianBlur^:svg:|', ':svg:feImage^:svg:|', ':svg:feMerge^:svg:|', ':svg:feMergeNode^:svg:|', ':svg:feMorphology^:svg:|', ':svg:feOffset^:svg:|', ':svg:fePointLight^:svg:|', ':svg:feSpecularLighting^:svg:|', ':svg:feSpotLight^:svg:|', ':svg:feTile^:svg:|', ':svg:feTurbulence^:svg:|', ':svg:filter^:svg:|', ':svg:foreignObject^:svg:graphics|', ':svg:g^:svg:graphics|', ':svg:image^:svg:graphics|', ':svg:line^:svg:geometry|', ':svg:linearGradient^:svg:gradient|', ':svg:mpath^:svg:|', ':svg:marker^:svg:|', ':svg:mask^:svg:|', ':svg:metadata^:svg:|', ':svg:path^:svg:geometry|', ':svg:pattern^:svg:|', ':svg:polygon^:svg:geometry|', ':svg:polyline^:svg:geometry|', ':svg:radialGradient^:svg:gradient|', ':svg:rect^:svg:geometry|', ':svg:svg^:svg:graphics|#currentScale,#zoomAndPan', ':svg:script^:svg:|type', ':svg:set^:svg:animation|', ':svg:stop^:svg:|', ':svg:style^:svg:|!disabled,media,title,type', ':svg:switch^:svg:graphics|', ':svg:symbol^:svg:|', ':svg:tspan^:svg:textPositioning|', ':svg:text^:svg:textPositioning|', ':svg:textPath^:svg:textContent|', ':svg:title^:svg:|', ':svg:use^:svg:graphics|', ':svg:view^:svg:|#zoomAndPan', 'data^[HTMLElement]|value', 'keygen^[HTMLElement]|!autofocus,challenge,!disabled,form,keytype,name', 'menuitem^[HTMLElement]|type,label,icon,!disabled,!checked,radiogroup,!default', 'summary^[HTMLElement]|', 'time^[HTMLElement]|dateTime', ':svg:cursor^:svg:|', ]; const _ATTR_TO_PROP = { 'class': 'className', 'for': 'htmlFor', 'formaction': 'formAction', 'innerHtml': 'innerHTML', 'readonly': 'readOnly', 'tabindex': 'tabIndex', }; class DomElementSchemaRegistry extends ElementSchemaRegistry { constructor() { super(); this._schema = {}; SCHEMA.forEach(encodedType => { const /** @type {?} */ type = {}; const [strType, strProperties] = encodedType.split('|'); const /** @type {?} */ properties = strProperties.split(','); const [typeNames, superName] = strType.split('^'); typeNames.split(',').forEach(tag => this._schema[tag.toLowerCase()] = type); const /** @type {?} */ superType = superName && this._schema[superName.toLowerCase()]; if (superType) { Object.keys(superType).forEach((prop) => { type[prop] = superType[prop]; }); } properties.forEach((property) => { if (property.length > 0) { switch (property[0]) { case '*': // We don't yet support events. // If ever allowing to bind to events, GO THROUGH A SECURITY REVIEW, allowing events // will // almost certainly introduce bad XSS vulnerabilities. // type[property.substring(1)] = EVENT; break; case '!': type[property.substring(1)] = BOOLEAN; break; case '#': type[property.substring(1)] = NUMBER; break; case '%': type[property.substring(1)] = OBJECT; break; default: type[property] = STRING; } } }); }); } /** * @param {?} tagName * @param {?} propName * @param {?} schemaMetas * @return {?} */ hasProperty(tagName, propName, schemaMetas) { if (schemaMetas.some((schema) => schema.name === NO_ERRORS_SCHEMA.name)) { return true; } if (tagName.indexOf('-') > -1) { if (isNgContainer(tagName) || isNgContent(tagName)) { return false; } if (schemaMetas.some((schema) => schema.name === CUSTOM_ELEMENTS_SCHEMA.name)) { // Can't tell now as we don't know which properties a custom element will get // once it is instantiated return true; } } const /** @type {?} */ elementProperties = this._schema[tagName.toLowerCase()] || this._schema['unknown']; return !!elementProperties[propName]; } /** * @param {?} tagName * @param {?} schemaMetas * @return {?} */ hasElement(tagName, schemaMetas) { if (schemaMetas.some((schema) => schema.name === NO_ERRORS_SCHEMA.name)) { return true; } if (tagName.indexOf('-') > -1) { if (isNgContainer(tagName) || isNgContent(tagName)) { return true; } if (schemaMetas.some((schema) => schema.name === CUSTOM_ELEMENTS_SCHEMA.name)) { // Allow any custom elements return true; } } return !!this._schema[tagName.toLowerCase()]; } /** * securityContext returns the security context for the given property on the given DOM tag. * * Tag and property name are statically known and cannot change at runtime, i.e. it is not * possible to bind a value into a changing attribute or tag name. * * The filtering is white list based. All attributes in the schema above are assumed to have the * 'NONE' security context, i.e. that they are safe inert string values. Only specific well known * attack vectors are assigned their appropriate context. * @param {?} tagName * @param {?} propName * @param {?} isAttribute * @return {?} */ securityContext(tagName, propName, isAttribute) { if (isAttribute) { // NB: For security purposes, use the mapped property name, not the attribute name. propName = this.getMappedPropName(propName); } // Make sure comparisons are case insensitive, so that case differences between attribute and // property names do not have a security impact. tagName = tagName.toLowerCase(); propName = propName.toLowerCase(); let /** @type {?} */ ctx = SECURITY_SCHEMA[tagName + '|' + propName]; if (ctx) { return ctx; } ctx = SECURITY_SCHEMA['*|' + propName]; return ctx ? ctx : SecurityContext.NONE; } /** * @param {?} propName * @return {?} */ getMappedPropName(propName) { return _ATTR_TO_PROP[propName] || propName; } /** * @return {?} */ getDefaultComponentElementName() { return 'ng-component'; } /** * @param {?} name * @return {?} */ validateProperty(name) { if (name.toLowerCase().startsWith('on')) { const /** @type {?} */ msg = `Binding to event property '${name}' is disallowed for security reasons, ` + `please use (${name.slice(2)})=...` + `\nIf '${name}' is a directive input, make sure the directive is imported by the` + ` current module.`; return { error: true, msg: msg }; } else { return { error: false }; } } /** * @param {?} name * @return {?} */ validateAttribute(name) { if (name.toLowerCase().startsWith('on')) { const /** @type {?} */ msg = `Binding to event attribute '${name}' is disallowed for security reasons, ` + `please use (${name.slice(2)})=...`; return { error: true, msg: msg }; } else { return { error: false }; } } /** * @return {?} */ allKnownElementNames() { return Object.keys(this._schema); } /** * @param {?} propName * @return {?} */ normalizeAnimationStyleProperty(propName) { return dashCaseToCamelCase(propName); } /** * @param {?} camelCaseProp * @param {?} userProvidedProp * @param {?} val * @return {?} */ normalizeAnimationStyleValue(camelCaseProp, userProvidedProp, val) { let /** @type {?} */ unit = ''; const /** @type {?} */ strVal = val.toString().trim(); let /** @type {?} */ errorMsg = /** @type {?} */ ((null)); if (_isPixelDimensionStyle(camelCaseProp) && val !== 0 && val !== '0') { if (typeof val === 'number') { unit = 'px'; } else { const /** @type {?} */ valAndSuffixMatch = val.match(/^[+-]?[\d\.]+([a-z]*)$/); if (valAndSuffixMatch && valAndSuffixMatch[1].length == 0) { errorMsg = `Please provide a CSS unit value for ${userProvidedProp}:${val}`; } } } return { error: errorMsg, value: strVal + unit }; } } /** * @param {?} prop * @return {?} */ function _isPixelDimensionStyle(prop) { switch (prop) { case 'width': case 'height': case 'minWidth': case 'minHeight': case 'maxWidth': case 'maxHeight': case 'left': case 'top': case 'bottom': case 'right': case 'fontSize': case 'outlineWidth': case 'outlineOffset': case 'paddingTop': case 'paddingLeft': case 'paddingBottom': case 'paddingRight': case 'marginTop': case 'marginLeft': case 'marginBottom': case 'marginRight': case 'borderRadius': case 'borderWidth': case 'borderTopWidth': case 'borderLeftWidth': case 'borderRightWidth': case 'borderBottomWidth': case 'textIndent': return true; default: return false; } } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ /** * This file is a port of shadowCSS from webcomponents.js to TypeScript. * * Please make sure to keep to edits in sync with the source file. * * Source: * https://github.com/webcomponents/webcomponentsjs/blob/4efecd7e0e/src/ShadowCSS/ShadowCSS.js * * The original file level comment is reproduced below */ /* This is a limited shim for ShadowDOM css styling. https://dvcs.w3.org/hg/webcomponents/raw-file/tip/spec/shadow/index.html#styles The intention here is to support only the styling features which can be relatively simply implemented. The goal is to allow users to avoid the most obvious pitfalls and do so without compromising performance significantly. For ShadowDOM styling that's not covered here, a set of best practices can be provided that should allow users to accomplish more complex styling. The following is a list of specific ShadowDOM styling features and a brief discussion of the approach used to shim. Shimmed features: * :host, :host-context: ShadowDOM allows styling of the shadowRoot's host element using the :host rule. To shim this feature, the :host styles are reformatted and prefixed with a given scope name and promoted to a document level stylesheet. For example, given a scope name of .foo, a rule like this: :host { background: red; } } becomes: .foo { background: red; } * encapsulation: Styles defined within ShadowDOM, apply only to dom inside the ShadowDOM. Polymer uses one of two techniques to implement this feature. By default, rules are prefixed with the host element tag name as a descendant selector. This ensures styling does not leak out of the 'top' of the element's ShadowDOM. For example, div { font-weight: bold; } becomes: x-foo div { font-weight: bold; } becomes: Alternatively, if WebComponents.ShadowCSS.strictStyling is set to true then selectors are scoped by adding an attribute selector suffix to each simple selector that contains the host element tag name. Each element in the element's ShadowDOM template is also given the scope attribute. Thus, these rules match only elements that have the scope attribute. For example, given a scope name of x-foo, a rule like this: div { font-weight: bold; } becomes: div[x-foo] { font-weight: bold; } Note that elements that are dynamically added to a scope must have the scope selector added to them manually. * upper/lower bound encapsulation: Styles which are defined outside a shadowRoot should not cross the ShadowDOM boundary and should not apply inside a shadowRoot. This styling behavior is not emulated. Some possible ways to do this that were rejected due to complexity and/or performance concerns include: (1) reset every possible property for every possible selector for a given scope name; (2) re-implement css in javascript. As an alternative, users should make sure to use selectors specific to the scope in which they are working. * ::distributed: This behavior is not emulated. It's often not necessary to style the contents of a specific insertion point and instead, descendants of the host element can be styled selectively. Users can also create an extra node around an insertion point and style that node's contents via descendent selectors. For example, with a shadowRoot like this: could become:

Note the use of @polyfill in the comment above a ShadowDOM specific style declaration. This is a directive to the styling shim to use the selector in comments in lieu of the next selector when running under polyfill. */ class ShadowCss { constructor() { this.strictStyling = true; } /** * @param {?} cssText * @param {?} selector * @param {?=} hostSelector * @return {?} */ shimCssText(cssText, selector, hostSelector = '') { const /** @type {?} */ commentsWithHash = extractCommentsWithHash(cssText); cssText = stripComments(cssText); cssText = this._insertDirectives(cssText); const /** @type {?} */ scopedCssText = this._scopeCssText(cssText, selector, hostSelector); return [scopedCssText, ...commentsWithHash].join('\n'); } /** * @param {?} cssText * @return {?} */ _insertDirectives(cssText) { cssText = this._insertPolyfillDirectivesInCssText(cssText); return this._insertPolyfillRulesInCssText(cssText); } /** * @param {?} cssText * @return {?} */ _insertPolyfillDirectivesInCssText(cssText) { // Difference with webcomponents.js: does not handle comments return cssText.replace(_cssContentNextSelectorRe, function (...m) { return m[2] + '{'; }); } /** * @param {?} cssText * @return {?} */ _insertPolyfillRulesInCssText(cssText) { // Difference with webcomponents.js: does not handle comments return cssText.replace(_cssContentRuleRe, (...m) => { const /** @type {?} */ rule = m[0].replace(m[1], '').replace(m[2], ''); return m[4] + rule; }); } /** * @param {?} cssText * @param {?} scopeSelector * @param {?} hostSelector * @return {?} */ _scopeCssText(cssText, scopeSelector, hostSelector) { const /** @type {?} */ unscopedRules = this._extractUnscopedRulesFromCssText(cssText); // replace :host and :host-context -shadowcsshost and -shadowcsshost respectively cssText = this._insertPolyfillHostInCssText(cssText); cssText = this._convertColonHost(cssText); cssText = this._convertColonHostContext(cssText); cssText = this._convertShadowDOMSelectors(cssText); if (scopeSelector) { cssText = this._scopeSelectors(cssText, scopeSelector, hostSelector); } cssText = cssText + '\n' + unscopedRules; return cssText.trim(); } /** * @param {?} cssText * @return {?} */ _extractUnscopedRulesFromCssText(cssText) { // Difference with webcomponents.js: does not handle comments let /** @type {?} */ r = ''; let /** @type {?} */ m; _cssContentUnscopedRuleRe.lastIndex = 0; while ((m = _cssContentUnscopedRuleRe.exec(cssText)) !== null) { const /** @type {?} */ rule = m[0].replace(m[2], '').replace(m[1], m[4]); r += rule + '\n\n'; } return r; } /** * @param {?} cssText * @return {?} */ _convertColonHost(cssText) { return this._convertColonRule(cssText, _cssColonHostRe, this._colonHostPartReplacer); } /** * @param {?} cssText * @return {?} */ _convertColonHostContext(cssText) { return this._convertColonRule(cssText, _cssColonHostContextRe, this._colonHostContextPartReplacer); } /** * @param {?} cssText * @param {?} regExp * @param {?} partReplacer * @return {?} */ _convertColonRule(cssText, regExp, partReplacer) { // m[1] = :host(-context), m[2] = contents of (), m[3] rest of rule return cssText.replace(regExp, function (...m) { if (m[2]) { const /** @type {?} */ parts = m[2].split(','); const /** @type {?} */ r = []; for (let /** @type {?} */ i = 0; i < parts.length; i++) { const /** @type {?} */ p = parts[i].trim(); if (!p) break; r.push(partReplacer(_polyfillHostNoCombinator, p, m[3])); } return r.join(','); } else { return _polyfillHostNoCombinator + m[3]; } }); } /** * @param {?} host * @param {?} part * @param {?} suffix * @return {?} */ _colonHostContextPartReplacer(host, part, suffix) { if (part.indexOf(_polyfillHost) > -1) { return this._colonHostPartReplacer(host, part, suffix); } else { return host + part + suffix + ', ' + part + ' ' + host + suffix; } } /** * @param {?} host * @param {?} part * @param {?} suffix * @return {?} */ _colonHostPartReplacer(host, part, suffix) { return host + part.replace(_polyfillHost, '') + suffix; } /** * @param {?} cssText * @return {?} */ _convertShadowDOMSelectors(cssText) { return _shadowDOMSelectorsRe.reduce((result, pattern) => result.replace(pattern, ' '), cssText); } /** * @param {?} cssText * @param {?} scopeSelector * @param {?} hostSelector * @return {?} */ _scopeSelectors(cssText, scopeSelector, hostSelector) { return processRules(cssText, (rule) => { let /** @type {?} */ selector = rule.selector; let /** @type {?} */ content = rule.content; if (rule.selector[0] != '@') { selector = this._scopeSelector(rule.selector, scopeSelector, hostSelector, this.strictStyling); } else if (rule.selector.startsWith('@media') || rule.selector.startsWith('@supports') || rule.selector.startsWith('@page') || rule.selector.startsWith('@document')) { content = this._scopeSelectors(rule.content, scopeSelector, hostSelector); } return new CssRule(selector, content); }); } /** * @param {?} selector * @param {?} scopeSelector * @param {?} hostSelector * @param {?} strict * @return {?} */ _scopeSelector(selector, scopeSelector, hostSelector, strict) { return selector.split(',') .map(part => part.trim().split(_shadowDeepSelectors)) .map((deepParts) => { const [shallowPart, ...otherParts] = deepParts; const /** @type {?} */ applyScope = (shallowPart) => { if (this._selectorNeedsScoping(shallowPart, scopeSelector)) { return strict ? this._applyStrictSelectorScope(shallowPart, scopeSelector, hostSelector) : this._applySelectorScope(shallowPart, scopeSelector, hostSelector); } else { return shallowPart; } }; return [applyScope(shallowPart), ...otherParts].join(' '); }) .join(', '); } /** * @param {?} selector * @param {?} scopeSelector * @return {?} */ _selectorNeedsScoping(selector, scopeSelector) { const /** @type {?} */ re = this._makeScopeMatcher(scopeSelector); return !re.test(selector); } /** * @param {?} scopeSelector * @return {?} */ _makeScopeMatcher(scopeSelector) { const /** @type {?} */ lre = /\[/g; const /** @type {?} */ rre = /\]/g; scopeSelector = scopeSelector.replace(lre, '\\[').replace(rre, '\\]'); return new RegExp('^(' + scopeSelector + ')' + _selectorReSuffix, 'm'); } /** * @param {?} selector * @param {?} scopeSelector * @param {?} hostSelector * @return {?} */ _applySelectorScope(selector, scopeSelector, hostSelector) { // Difference from webcomponents.js: scopeSelector could not be an array return this._applySimpleSelectorScope(selector, scopeSelector, hostSelector); } /** * @param {?} selector * @param {?} scopeSelector * @param {?} hostSelector * @return {?} */ _applySimpleSelectorScope(selector, scopeSelector, hostSelector) { // In Android browser, the lastIndex is not reset when the regex is used in String.replace() _polyfillHostRe.lastIndex = 0; if (_polyfillHostRe.test(selector)) { const /** @type {?} */ replaceBy = this.strictStyling ? `[${hostSelector}]` : scopeSelector; return selector .replace(_polyfillHostNoCombinatorRe, (hnc, selector) => { return selector.replace(/([^:]*)(:*)(.*)/, (_, before, colon, after) => { return before + replaceBy + colon + after; }); }) .replace(_polyfillHostRe, replaceBy + ' '); } return scopeSelector + ' ' + selector; } /** * @param {?} selector * @param {?} scopeSelector * @param {?} hostSelector * @return {?} */ _applyStrictSelectorScope(selector, scopeSelector, hostSelector) { const /** @type {?} */ isRe = /\[is=([^\]]*)\]/g; scopeSelector = scopeSelector.replace(isRe, (_, ...parts) => parts[0]); const /** @type {?} */ attrName = '[' + scopeSelector + ']'; const /** @type {?} */ _scopeSelectorPart = (p) => { let /** @type {?} */ scopedP = p.trim(); if (!scopedP) { return ''; } if (p.indexOf(_polyfillHostNoCombinator) > -1) { scopedP = this._applySimpleSelectorScope(p, scopeSelector, hostSelector); } else { // remove :host since it should be unnecessary const /** @type {?} */ t = p.replace(_polyfillHostRe, ''); if (t.length > 0) { const /** @type {?} */ matches = t.match(/([^:]*)(:*)(.*)/); if (matches) { scopedP = matches[1] + attrName + matches[2] + matches[3]; } } } return scopedP; }; const /** @type {?} */ safeContent = new SafeSelector(selector); selector = safeContent.content(); let /** @type {?} */ scopedSelector = ''; let /** @type {?} */ startIndex = 0; let /** @type {?} */ res; const /** @type {?} */ sep = /( |>|\+|~(?!=))\s*/g; // If a selector appears before :host it should not be shimmed as it // matches on ancestor elements and not on elements in the host's shadow // `:host-context(div)` is transformed to // `-shadowcsshost-no-combinatordiv, div -shadowcsshost-no-combinator` // the `div` is not part of the component in the 2nd selectors and should not be scoped. // Historically `component-tag:host` was matching the component so we also want to preserve // this behavior to avoid breaking legacy apps (it should not match). // The behavior should be: // - `tag:host` -> `tag[h]` (this is to avoid breaking legacy apps, should not match anything) // - `tag :host` -> `tag [h]` (`tag` is not scoped because it's considered part of a // `:host-context(tag)`) const /** @type {?} */ hasHost = selector.indexOf(_polyfillHostNoCombinator) > -1; // Only scope parts after the first `-shadowcsshost-no-combinator` when it is present let /** @type {?} */ shouldScope = !hasHost; while ((res = sep.exec(selector)) !== null) { const /** @type {?} */ separator = res[1]; const /** @type {?} */ part = selector.slice(startIndex, res.index).trim(); shouldScope = shouldScope || part.indexOf(_polyfillHostNoCombinator) > -1; const /** @type {?} */ scopedPart = shouldScope ? _scopeSelectorPart(part) : part; scopedSelector += `${scopedPart} ${separator} `; startIndex = sep.lastIndex; } const /** @type {?} */ part = selector.substring(startIndex); shouldScope = shouldScope || part.indexOf(_polyfillHostNoCombinator) > -1; scopedSelector += shouldScope ? _scopeSelectorPart(part) : part; // replace the placeholders with their original values return safeContent.restore(scopedSelector); } /** * @param {?} selector * @return {?} */ _insertPolyfillHostInCssText(selector) { return selector.replace(_colonHostContextRe, _polyfillHostContext) .replace(_colonHostRe, _polyfillHost); } } class SafeSelector { /** * @param {?} selector */ constructor(selector) { this.placeholders = []; this.index = 0; // Replaces attribute selectors with placeholders. // The WS in [attr="va lue"] would otherwise be interpreted as a selector separator. selector = selector.replace(/(\[[^\]]*\])/g, (_, keep) => { const /** @type {?} */ replaceBy = `__ph-${this.index}__`; this.placeholders.push(keep); this.index++; return replaceBy; }); // Replaces the expression in `:nth-child(2n + 1)` with a placeholder. // WS and "+" would otherwise be interpreted as selector separators. this._content = selector.replace(/(:nth-[-\w]+)(\([^)]+\))/g, (_, pseudo, exp) => { const /** @type {?} */ replaceBy = `__ph-${this.index}__`; this.placeholders.push(exp); this.index++; return pseudo + replaceBy; }); } /** * @param {?} content * @return {?} */ restore(content) { return content.replace(/__ph-(\d+)__/g, (ph, index) => this.placeholders[+index]); } /** * @return {?} */ content() { return this._content; } } const _cssContentNextSelectorRe = /polyfill-next-selector[^}]*content:[\s]*?(['"])(.*?)\1[;\s]*}([^{]*?){/gim; const _cssContentRuleRe = /(polyfill-rule)[^}]*(content:[\s]*(['"])(.*?)\3)[;\s]*[^}]*}/gim; const _cssContentUnscopedRuleRe = /(polyfill-unscoped-rule)[^}]*(content:[\s]*(['"])(.*?)\3)[;\s]*[^}]*}/gim; const _polyfillHost = '-shadowcsshost'; // note: :host-context pre-processed to -shadowcsshostcontext. const _polyfillHostContext = '-shadowcsscontext'; const _parenSuffix = ')(?:\\((' + '(?:\\([^)(]*\\)|[^)(]*)+?' + ')\\))?([^,{]*)'; const _cssColonHostRe = new RegExp('(' + _polyfillHost + _parenSuffix, 'gim'); const _cssColonHostContextRe = new RegExp('(' + _polyfillHostContext + _parenSuffix, 'gim'); const _polyfillHostNoCombinator = _polyfillHost + '-no-combinator'; const _polyfillHostNoCombinatorRe = /-shadowcsshost-no-combinator([^\s]*)/; const _shadowDOMSelectorsRe = [ /::shadow/g, /::content/g, /\/shadow-deep\//g, /\/shadow\//g, ]; // The deep combinator is deprecated in the CSS spec // Support for `>>>`, `deep`, `::ng-deep` is then also deprecated and will be removed in the future. // see https://github.com/angular/angular/pull/17677 const _shadowDeepSelectors = /(?:>>>)|(?:\/deep\/)|(?:::ng-deep)/g; const _selectorReSuffix = '([>\\s~+\[.,{:][\\s\\S]*)?$'; const _polyfillHostRe = /-shadowcsshost/gim; const _colonHostRe = /:host/gim; const _colonHostContextRe = /:host-context/gim; const _commentRe = /\/\*\s*[\s\S]*?\*\//g; /** * @param {?} input * @return {?} */ function stripComments(input) { return input.replace(_commentRe, ''); } const _commentWithHashRe = /\/\*\s*#\s*source(Mapping)?URL=[\s\S]+?\*\//g; /** * @param {?} input * @return {?} */ function extractCommentsWithHash(input) { return input.match(_commentWithHashRe) || []; } const _ruleRe = /(\s*)([^;\{\}]+?)(\s*)((?:{%BLOCK%}?\s*;?)|(?:\s*;))/g; const _curlyRe = /([{}])/g; const OPEN_CURLY = '{'; const CLOSE_CURLY = '}'; const BLOCK_PLACEHOLDER = '%BLOCK%'; class CssRule { /** * @param {?} selector * @param {?} content */ constructor(selector, content) { this.selector = selector; this.content = content; } } /** * @param {?} input * @param {?} ruleCallback * @return {?} */ function processRules(input, ruleCallback) { const /** @type {?} */ inputWithEscapedBlocks = escapeBlocks(input); let /** @type {?} */ nextBlockIndex = 0; return inputWithEscapedBlocks.escapedString.replace(_ruleRe, function (...m) { const /** @type {?} */ selector = m[2]; let /** @type {?} */ content = ''; let /** @type {?} */ suffix = m[4]; let /** @type {?} */ contentPrefix = ''; if (suffix && suffix.startsWith('{' + BLOCK_PLACEHOLDER)) { content = inputWithEscapedBlocks.blocks[nextBlockIndex++]; suffix = suffix.substring(BLOCK_PLACEHOLDER.length + 1); contentPrefix = '{'; } const /** @type {?} */ rule = ruleCallback(new CssRule(selector, content)); return `${m[1]}${rule.selector}${m[3]}${contentPrefix}${rule.content}${suffix}`; }); } class StringWithEscapedBlocks { /** * @param {?} escapedString * @param {?} blocks */ constructor(escapedString, blocks) { this.escapedString = escapedString; this.blocks = blocks; } } /** * @param {?} input * @return {?} */ function escapeBlocks(input) { const /** @type {?} */ inputParts = input.split(_curlyRe); const /** @type {?} */ resultParts = []; const /** @type {?} */ escapedBlocks = []; let /** @type {?} */ bracketCount = 0; let /** @type {?} */ currentBlockParts = []; for (let /** @type {?} */ partIndex = 0; partIndex < inputParts.length; partIndex++) { const /** @type {?} */ part = inputParts[partIndex]; if (part == CLOSE_CURLY) { bracketCount--; } if (bracketCount > 0) { currentBlockParts.push(part); } else { if (currentBlockParts.length > 0) { escapedBlocks.push(currentBlockParts.join('')); resultParts.push(BLOCK_PLACEHOLDER); currentBlockParts = []; } resultParts.push(part); } if (part == OPEN_CURLY) { bracketCount++; } } if (currentBlockParts.length > 0) { escapedBlocks.push(currentBlockParts.join('')); resultParts.push(BLOCK_PLACEHOLDER); } return new StringWithEscapedBlocks(resultParts.join(''), escapedBlocks); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const COMPONENT_VARIABLE = '%COMP%'; const HOST_ATTR = `_nghost-${COMPONENT_VARIABLE}`; const CONTENT_ATTR = `_ngcontent-${COMPONENT_VARIABLE}`; class StylesCompileDependency { /** * @param {?} name * @param {?} moduleUrl * @param {?} setValue */ constructor(name, moduleUrl, setValue) { this.name = name; this.moduleUrl = moduleUrl; this.setValue = setValue; } } class CompiledStylesheet { /** * @param {?} outputCtx * @param {?} stylesVar * @param {?} dependencies * @param {?} isShimmed * @param {?} meta */ constructor(outputCtx, stylesVar, dependencies, isShimmed, meta) { this.outputCtx = outputCtx; this.stylesVar = stylesVar; this.dependencies = dependencies; this.isShimmed = isShimmed; this.meta = meta; } } class StyleCompiler { /** * @param {?} _urlResolver */ constructor(_urlResolver) { this._urlResolver = _urlResolver; this._shadowCss = new ShadowCss(); } /** * @param {?} outputCtx * @param {?} comp * @return {?} */ compileComponent(outputCtx, comp) { const /** @type {?} */ template = /** @type {?} */ ((comp.template)); return this._compileStyles(outputCtx, comp, new CompileStylesheetMetadata({ styles: template.styles, styleUrls: template.styleUrls, moduleUrl: identifierModuleUrl(comp.type) }), this.needsStyleShim(comp), true); } /** * @param {?} outputCtx * @param {?} comp * @param {?} stylesheet * @param {?=} shim * @return {?} */ compileStyles(outputCtx, comp, stylesheet, shim = this.needsStyleShim(comp)) { return this._compileStyles(outputCtx, comp, stylesheet, shim, false); } /** * @param {?} comp * @return {?} */ needsStyleShim(comp) { return /** @type {?} */ ((comp.template)).encapsulation === ViewEncapsulation.Emulated; } /** * @param {?} outputCtx * @param {?} comp * @param {?} stylesheet * @param {?} shim * @param {?} isComponentStylesheet * @return {?} */ _compileStyles(outputCtx, comp, stylesheet, shim, isComponentStylesheet) { const /** @type {?} */ styleExpressions = stylesheet.styles.map(plainStyle => literal(this._shimIfNeeded(plainStyle, shim))); const /** @type {?} */ dependencies = []; stylesheet.styleUrls.forEach((styleUrl) => { const /** @type {?} */ exprIndex = styleExpressions.length; // Note: This placeholder will be filled later. styleExpressions.push(/** @type {?} */ ((null))); dependencies.push(new StylesCompileDependency(getStylesVarName(null), styleUrl, (value) => styleExpressions[exprIndex] = outputCtx.importExpr(value))); }); // styles variable contains plain strings and arrays of other styles arrays (recursive), // so we set its type to dynamic. const /** @type {?} */ stylesVar = getStylesVarName(isComponentStylesheet ? comp : null); const /** @type {?} */ stmt = variable(stylesVar) .set(literalArr(styleExpressions, new ArrayType(DYNAMIC_TYPE, [TypeModifier.Const]))) .toDeclStmt(null, isComponentStylesheet ? [StmtModifier.Final] : [ StmtModifier.Final, StmtModifier.Exported ]); outputCtx.statements.push(stmt); return new CompiledStylesheet(outputCtx, stylesVar, dependencies, shim, stylesheet); } /** * @param {?} style * @param {?} shim * @return {?} */ _shimIfNeeded(style, shim) { return shim ? this._shadowCss.shimCssText(style, CONTENT_ATTR, HOST_ATTR) : style; } } /** * @param {?} component * @return {?} */ function getStylesVarName(component) { let /** @type {?} */ result = `styles`; if (component) { result += `_${identifierName(component.type)}`; } return result; } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const PRESERVE_WS_ATTR_NAME = 'ngPreserveWhitespaces'; const SKIP_WS_TRIM_TAGS = new Set(['pre', 'template', 'textarea', 'script', 'style']); // Equivalent to \s with \u00a0 (non-breaking space) excluded. // Based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/RegExp const WS_CHARS = ' \f\n\r\t\v\u1680\u180e\u2000-\u200a\u2028\u2029\u202f\u205f\u3000\ufeff'; const NO_WS_REGEXP = new RegExp(`[^${WS_CHARS}]`); const WS_REPLACE_REGEXP = new RegExp(`[${WS_CHARS}]{2,}`, 'g'); /** * @param {?} attrs * @return {?} */ function hasPreserveWhitespacesAttr(attrs) { return attrs.some((attr) => attr.name === PRESERVE_WS_ATTR_NAME); } /** * Angular Dart introduced &ngsp; as a placeholder for non-removable space, see: * https://github.com/dart-lang/angular/blob/0bb611387d29d65b5af7f9d2515ab571fd3fbee4/_tests/test/compiler/preserve_whitespace_test.dart#L25-L32 * In Angular Dart &ngsp; is converted to the 0xE500 PUA (Private Use Areas) unicode character * and later on replaced by a space. We are re-implementing the same idea here. * @param {?} value * @return {?} */ function replaceNgsp(value) { // lexer is replacing the &ngsp; pseudo-entity with NGSP_UNICODE return value.replace(new RegExp(NGSP_UNICODE, 'g'), ' '); } /** * This visitor can walk HTML parse tree and remove / trim text nodes using the following rules: * - consider spaces, tabs and new lines as whitespace characters; * - drop text nodes consisting of whitespace characters only; * - for all other text nodes replace consecutive whitespace characters with one space; * - convert &ngsp; pseudo-entity to a single space; * * Removal and trimming of whitespaces have positive performance impact (less code to generate * while compiling templates, faster view creation). At the same time it can be "destructive" * in some cases (whitespaces can influence layout). Because of the potential of breaking layout * this visitor is not activated by default in Angular 5 and people need to explicitly opt-in for * whitespace removal. The default option for whitespace removal will be revisited in Angular 6 * and might be changed to "on" by default. */ class WhitespaceVisitor { /** * @param {?} element * @param {?} context * @return {?} */ visitElement(element, context) { if (SKIP_WS_TRIM_TAGS.has(element.name) || hasPreserveWhitespacesAttr(element.attrs)) { // don't descent into elements where we need to preserve whitespaces // but still visit all attributes to eliminate one used as a market to preserve WS return new Element(element.name, visitAll(this, element.attrs), element.children, element.sourceSpan, element.startSourceSpan, element.endSourceSpan); } return new Element(element.name, element.attrs, visitAll(this, element.children), element.sourceSpan, element.startSourceSpan, element.endSourceSpan); } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { return attribute.name !== PRESERVE_WS_ATTR_NAME ? attribute : null; } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { const /** @type {?} */ isNotBlank = text.value.match(NO_WS_REGEXP); if (isNotBlank) { return new Text(replaceNgsp(text.value).replace(WS_REPLACE_REGEXP, ' '), text.sourceSpan); } return null; } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { return comment; } /** * @param {?} expansion * @param {?} context * @return {?} */ visitExpansion(expansion, context) { return expansion; } /** * @param {?} expansionCase * @param {?} context * @return {?} */ visitExpansionCase(expansionCase, context) { return expansionCase; } } /** * @param {?} htmlAstWithErrors * @return {?} */ function removeWhitespaces(htmlAstWithErrors) { return new ParseTreeResult(visitAll(new WhitespaceVisitor(), htmlAstWithErrors.rootNodes), htmlAstWithErrors.errors); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ // http://cldr.unicode.org/index/cldr-spec/plural-rules const PLURAL_CASES = ['zero', 'one', 'two', 'few', 'many', 'other']; /** * Expands special forms into elements. * * For example, * * ``` * { messages.length, plural, * =0 {zero} * =1 {one} * other {more than one} * } * ``` * * will be expanded into * * ``` * * zero * one * more than one * * ``` * @param {?} nodes * @return {?} */ function expandNodes(nodes) { const /** @type {?} */ expander = new _Expander(); return new ExpansionResult(visitAll(expander, nodes), expander.isExpanded, expander.errors); } class ExpansionResult { /** * @param {?} nodes * @param {?} expanded * @param {?} errors */ constructor(nodes, expanded, errors) { this.nodes = nodes; this.expanded = expanded; this.errors = errors; } } class ExpansionError extends ParseError { /** * @param {?} span * @param {?} errorMsg */ constructor(span, errorMsg) { super(span, errorMsg); } } /** * Expand expansion forms (plural, select) to directives * * \@internal */ class _Expander { constructor() { this.isExpanded = false; this.errors = []; } /** * @param {?} element * @param {?} context * @return {?} */ visitElement(element, context) { return new Element(element.name, element.attrs, visitAll(this, element.children), element.sourceSpan, element.startSourceSpan, element.endSourceSpan); } /** * @param {?} attribute * @param {?} context * @return {?} */ visitAttribute(attribute, context) { return attribute; } /** * @param {?} text * @param {?} context * @return {?} */ visitText(text, context) { return text; } /** * @param {?} comment * @param {?} context * @return {?} */ visitComment(comment, context) { return comment; } /** * @param {?} icu * @param {?} context * @return {?} */ visitExpansion(icu, context) { this.isExpanded = true; return icu.type == 'plural' ? _expandPluralForm(icu, this.errors) : _expandDefaultForm(icu, this.errors); } /** * @param {?} icuCase * @param {?} context * @return {?} */ visitExpansionCase(icuCase, context) { throw new Error('Should not be reached'); } } /** * @param {?} ast * @param {?} errors * @return {?} */ function _expandPluralForm(ast, errors) { const /** @type {?} */ children = ast.cases.map(c => { if (PLURAL_CASES.indexOf(c.value) == -1 && !c.value.match(/^=\d+$/)) { errors.push(new ExpansionError(c.valueSourceSpan, `Plural cases should be "=" or one of ${PLURAL_CASES.join(", ")}`)); } const /** @type {?} */ expansionResult = expandNodes(c.expression); errors.push(...expansionResult.errors); return new Element(`ng-template`, [new Attribute$1('ngPluralCase', `${c.value}`, c.valueSourceSpan)], expansionResult.nodes, c.sourceSpan, c.sourceSpan, c.sourceSpan); }); const /** @type {?} */ switchAttr = new Attribute$1('[ngPlural]', ast.switchValue, ast.switchValueSourceSpan); return new Element('ng-container', [switchAttr], children, ast.sourceSpan, ast.sourceSpan, ast.sourceSpan); } /** * @param {?} ast * @param {?} errors * @return {?} */ function _expandDefaultForm(ast, errors) { const /** @type {?} */ children = ast.cases.map(c => { const /** @type {?} */ expansionResult = expandNodes(c.expression); errors.push(...expansionResult.errors); if (c.value === 'other') { // other is the default case when no values match return new Element(`ng-template`, [new Attribute$1('ngSwitchDefault', '', c.valueSourceSpan)], expansionResult.nodes, c.sourceSpan, c.sourceSpan, c.sourceSpan); } return new Element(`ng-template`, [new Attribute$1('ngSwitchCase', `${c.value}`, c.valueSourceSpan)], expansionResult.nodes, c.sourceSpan, c.sourceSpan, c.sourceSpan); }); const /** @type {?} */ switchAttr = new Attribute$1('[ngSwitch]', ast.switchValue, ast.switchValueSourceSpan); return new Element('ng-container', [switchAttr], children, ast.sourceSpan, ast.sourceSpan, ast.sourceSpan); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const PROPERTY_PARTS_SEPARATOR = '.'; const ATTRIBUTE_PREFIX = 'attr'; const CLASS_PREFIX = 'class'; const STYLE_PREFIX = 'style'; const ANIMATE_PROP_PREFIX = 'animate-'; /** @enum {number} */ const BoundPropertyType = { DEFAULT: 0, LITERAL_ATTR: 1, ANIMATION: 2, }; BoundPropertyType[BoundPropertyType.DEFAULT] = "DEFAULT"; BoundPropertyType[BoundPropertyType.LITERAL_ATTR] = "LITERAL_ATTR"; BoundPropertyType[BoundPropertyType.ANIMATION] = "ANIMATION"; /** * Represents a parsed property. */ class BoundProperty { /** * @param {?} name * @param {?} expression * @param {?} type * @param {?} sourceSpan */ constructor(name, expression, type, sourceSpan) { this.name = name; this.expression = expression; this.type = type; this.sourceSpan = sourceSpan; this.isLiteral = this.type === BoundPropertyType.LITERAL_ATTR; this.isAnimation = this.type === BoundPropertyType.ANIMATION; } } /** * Parses bindings in templates and in the directive host area. */ class BindingParser { /** * @param {?} _exprParser * @param {?} _interpolationConfig * @param {?} _schemaRegistry * @param {?} pipes * @param {?} _targetErrors */ constructor(_exprParser, _interpolationConfig, _schemaRegistry, pipes, _targetErrors) { this._exprParser = _exprParser; this._interpolationConfig = _interpolationConfig; this._schemaRegistry = _schemaRegistry; this._targetErrors = _targetErrors; this.pipesByName = new Map(); this._usedPipes = new Map(); pipes.forEach(pipe => this.pipesByName.set(pipe.name, pipe)); } /** * @return {?} */ getUsedPipes() { return Array.from(this._usedPipes.values()); } /** * @param {?} dirMeta * @param {?} elementSelector * @param {?} sourceSpan * @return {?} */ createDirectiveHostPropertyAsts(dirMeta, elementSelector, sourceSpan) { if (dirMeta.hostProperties) { const /** @type {?} */ boundProps = []; Object.keys(dirMeta.hostProperties).forEach(propName => { const /** @type {?} */ expression = dirMeta.hostProperties[propName]; if (typeof expression === 'string') { this.parsePropertyBinding(propName, expression, true, sourceSpan, [], boundProps); } else { this._reportError(`Value of the host property binding "${propName}" needs to be a string representing an expression but got "${expression}" (${typeof expression})`, sourceSpan); } }); return boundProps.map((prop) => this.createElementPropertyAst(elementSelector, prop)); } return null; } /** * @param {?} dirMeta * @param {?} sourceSpan * @return {?} */ createDirectiveHostEventAsts(dirMeta, sourceSpan) { if (dirMeta.hostListeners) { const /** @type {?} */ targetEventAsts = []; Object.keys(dirMeta.hostListeners).forEach(propName => { const /** @type {?} */ expression = dirMeta.hostListeners[propName]; if (typeof expression === 'string') { this.parseEvent(propName, expression, sourceSpan, [], targetEventAsts); } else { this._reportError(`Value of the host listener "${propName}" needs to be a string representing an expression but got "${expression}" (${typeof expression})`, sourceSpan); } }); return targetEventAsts; } return null; } /** * @param {?} value * @param {?} sourceSpan * @return {?} */ parseInterpolation(value, sourceSpan) { const /** @type {?} */ sourceInfo = sourceSpan.start.toString(); try { const /** @type {?} */ ast = /** @type {?} */ ((this._exprParser.parseInterpolation(value, sourceInfo, this._interpolationConfig))); if (ast) this._reportExpressionParserErrors(ast.errors, sourceSpan); this._checkPipes(ast, sourceSpan); return ast; } catch (/** @type {?} */ e) { this._reportError(`${e}`, sourceSpan); return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo); } } /** * @param {?} prefixToken * @param {?} value * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetProps * @param {?} targetVars * @return {?} */ parseInlineTemplateBinding(prefixToken, value, sourceSpan, targetMatchableAttrs, targetProps, targetVars) { const /** @type {?} */ bindings = this._parseTemplateBindings(prefixToken, value, sourceSpan); for (let /** @type {?} */ i = 0; i < bindings.length; i++) { const /** @type {?} */ binding = bindings[i]; if (binding.keyIsVar) { targetVars.push(new VariableAst(binding.key, binding.name, sourceSpan)); } else if (binding.expression) { this._parsePropertyAst(binding.key, binding.expression, sourceSpan, targetMatchableAttrs, targetProps); } else { targetMatchableAttrs.push([binding.key, '']); this.parseLiteralAttr(binding.key, null, sourceSpan, targetMatchableAttrs, targetProps); } } } /** * @param {?} prefixToken * @param {?} value * @param {?} sourceSpan * @return {?} */ _parseTemplateBindings(prefixToken, value, sourceSpan) { const /** @type {?} */ sourceInfo = sourceSpan.start.toString(); try { const /** @type {?} */ bindingsResult = this._exprParser.parseTemplateBindings(prefixToken, value, sourceInfo); this._reportExpressionParserErrors(bindingsResult.errors, sourceSpan); bindingsResult.templateBindings.forEach((binding) => { if (binding.expression) { this._checkPipes(binding.expression, sourceSpan); } }); bindingsResult.warnings.forEach((warning) => { this._reportError(warning, sourceSpan, ParseErrorLevel.WARNING); }); return bindingsResult.templateBindings; } catch (/** @type {?} */ e) { this._reportError(`${e}`, sourceSpan); return []; } } /** * @param {?} name * @param {?} value * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetProps * @return {?} */ parseLiteralAttr(name, value, sourceSpan, targetMatchableAttrs, targetProps) { if (_isAnimationLabel(name)) { name = name.substring(1); if (value) { this._reportError(`Assigning animation triggers via @prop="exp" attributes with an expression is invalid.` + ` Use property bindings (e.g. [@prop]="exp") or use an attribute without a value (e.g. @prop) instead.`, sourceSpan, ParseErrorLevel.ERROR); } this._parseAnimation(name, value, sourceSpan, targetMatchableAttrs, targetProps); } else { targetProps.push(new BoundProperty(name, this._exprParser.wrapLiteralPrimitive(value, ''), BoundPropertyType.LITERAL_ATTR, sourceSpan)); } } /** * @param {?} name * @param {?} expression * @param {?} isHost * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetProps * @return {?} */ parsePropertyBinding(name, expression, isHost, sourceSpan, targetMatchableAttrs, targetProps) { let /** @type {?} */ isAnimationProp = false; if (name.startsWith(ANIMATE_PROP_PREFIX)) { isAnimationProp = true; name = name.substring(ANIMATE_PROP_PREFIX.length); } else if (_isAnimationLabel(name)) { isAnimationProp = true; name = name.substring(1); } if (isAnimationProp) { this._parseAnimation(name, expression, sourceSpan, targetMatchableAttrs, targetProps); } else { this._parsePropertyAst(name, this._parseBinding(expression, isHost, sourceSpan), sourceSpan, targetMatchableAttrs, targetProps); } } /** * @param {?} name * @param {?} value * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetProps * @return {?} */ parsePropertyInterpolation(name, value, sourceSpan, targetMatchableAttrs, targetProps) { const /** @type {?} */ expr = this.parseInterpolation(value, sourceSpan); if (expr) { this._parsePropertyAst(name, expr, sourceSpan, targetMatchableAttrs, targetProps); return true; } return false; } /** * @param {?} name * @param {?} ast * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetProps * @return {?} */ _parsePropertyAst(name, ast, sourceSpan, targetMatchableAttrs, targetProps) { targetMatchableAttrs.push([name, /** @type {?} */ ((ast.source))]); targetProps.push(new BoundProperty(name, ast, BoundPropertyType.DEFAULT, sourceSpan)); } /** * @param {?} name * @param {?} expression * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetProps * @return {?} */ _parseAnimation(name, expression, sourceSpan, targetMatchableAttrs, targetProps) { // This will occur when a @trigger is not paired with an expression. // For animations it is valid to not have an expression since */void // states will be applied by angular when the element is attached/detached const /** @type {?} */ ast = this._parseBinding(expression || 'undefined', false, sourceSpan); targetMatchableAttrs.push([name, /** @type {?} */ ((ast.source))]); targetProps.push(new BoundProperty(name, ast, BoundPropertyType.ANIMATION, sourceSpan)); } /** * @param {?} value * @param {?} isHostBinding * @param {?} sourceSpan * @return {?} */ _parseBinding(value, isHostBinding, sourceSpan) { const /** @type {?} */ sourceInfo = sourceSpan.start.toString(); try { const /** @type {?} */ ast = isHostBinding ? this._exprParser.parseSimpleBinding(value, sourceInfo, this._interpolationConfig) : this._exprParser.parseBinding(value, sourceInfo, this._interpolationConfig); if (ast) this._reportExpressionParserErrors(ast.errors, sourceSpan); this._checkPipes(ast, sourceSpan); return ast; } catch (/** @type {?} */ e) { this._reportError(`${e}`, sourceSpan); return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo); } } /** * @param {?} elementSelector * @param {?} boundProp * @return {?} */ createElementPropertyAst(elementSelector, boundProp) { if (boundProp.isAnimation) { return new BoundElementPropertyAst(boundProp.name, PropertyBindingType.Animation, SecurityContext.NONE, boundProp.expression, null, boundProp.sourceSpan); } let /** @type {?} */ unit = null; let /** @type {?} */ bindingType = /** @type {?} */ ((undefined)); let /** @type {?} */ boundPropertyName = null; const /** @type {?} */ parts = boundProp.name.split(PROPERTY_PARTS_SEPARATOR); let /** @type {?} */ securityContexts = /** @type {?} */ ((undefined)); // Check check for special cases (prefix style, attr, class) if (parts.length > 1) { if (parts[0] == ATTRIBUTE_PREFIX) { boundPropertyName = parts[1]; this._validatePropertyOrAttributeName(boundPropertyName, boundProp.sourceSpan, true); securityContexts = calcPossibleSecurityContexts(this._schemaRegistry, elementSelector, boundPropertyName, true); const /** @type {?} */ nsSeparatorIdx = boundPropertyName.indexOf(':'); if (nsSeparatorIdx > -1) { const /** @type {?} */ ns = boundPropertyName.substring(0, nsSeparatorIdx); const /** @type {?} */ name = boundPropertyName.substring(nsSeparatorIdx + 1); boundPropertyName = mergeNsAndName(ns, name); } bindingType = PropertyBindingType.Attribute; } else if (parts[0] == CLASS_PREFIX) { boundPropertyName = parts[1]; bindingType = PropertyBindingType.Class; securityContexts = [SecurityContext.NONE]; } else if (parts[0] == STYLE_PREFIX) { unit = parts.length > 2 ? parts[2] : null; boundPropertyName = parts[1]; bindingType = PropertyBindingType.Style; securityContexts = [SecurityContext.STYLE]; } } // If not a special case, use the full property name if (boundPropertyName === null) { boundPropertyName = this._schemaRegistry.getMappedPropName(boundProp.name); securityContexts = calcPossibleSecurityContexts(this._schemaRegistry, elementSelector, boundPropertyName, false); bindingType = PropertyBindingType.Property; this._validatePropertyOrAttributeName(boundPropertyName, boundProp.sourceSpan, false); } return new BoundElementPropertyAst(boundPropertyName, bindingType, securityContexts[0], boundProp.expression, unit, boundProp.sourceSpan); } /** * @param {?} name * @param {?} expression * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetEvents * @return {?} */ parseEvent(name, expression, sourceSpan, targetMatchableAttrs, targetEvents) { if (_isAnimationLabel(name)) { name = name.substr(1); this._parseAnimationEvent(name, expression, sourceSpan, targetEvents); } else { this._parseEvent(name, expression, sourceSpan, targetMatchableAttrs, targetEvents); } } /** * @param {?} name * @param {?} expression * @param {?} sourceSpan * @param {?} targetEvents * @return {?} */ _parseAnimationEvent(name, expression, sourceSpan, targetEvents) { const /** @type {?} */ matches = splitAtPeriod(name, [name, '']); const /** @type {?} */ eventName = matches[0]; const /** @type {?} */ phase = matches[1].toLowerCase(); if (phase) { switch (phase) { case 'start': case 'done': const /** @type {?} */ ast = this._parseAction(expression, sourceSpan); targetEvents.push(new BoundEventAst(eventName, null, phase, ast, sourceSpan)); break; default: this._reportError(`The provided animation output phase value "${phase}" for "@${eventName}" is not supported (use start or done)`, sourceSpan); break; } } else { this._reportError(`The animation trigger output event (@${eventName}) is missing its phase value name (start or done are currently supported)`, sourceSpan); } } /** * @param {?} name * @param {?} expression * @param {?} sourceSpan * @param {?} targetMatchableAttrs * @param {?} targetEvents * @return {?} */ _parseEvent(name, expression, sourceSpan, targetMatchableAttrs, targetEvents) { // long format: 'target: eventName' const [target, eventName] = splitAtColon(name, [/** @type {?} */ ((null)), name]); const /** @type {?} */ ast = this._parseAction(expression, sourceSpan); targetMatchableAttrs.push([/** @type {?} */ ((name)), /** @type {?} */ ((ast.source))]); targetEvents.push(new BoundEventAst(eventName, target, null, ast, sourceSpan)); // Don't detect directives for event names for now, // so don't add the event name to the matchableAttrs } /** * @param {?} value * @param {?} sourceSpan * @return {?} */ _parseAction(value, sourceSpan) { const /** @type {?} */ sourceInfo = sourceSpan.start.toString(); try { const /** @type {?} */ ast = this._exprParser.parseAction(value, sourceInfo, this._interpolationConfig); if (ast) { this._reportExpressionParserErrors(ast.errors, sourceSpan); } if (!ast || ast.ast instanceof EmptyExpr) { this._reportError(`Empty expressions are not allowed`, sourceSpan); return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo); } this._checkPipes(ast, sourceSpan); return ast; } catch (/** @type {?} */ e) { this._reportError(`${e}`, sourceSpan); return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo); } } /** * @param {?} message * @param {?} sourceSpan * @param {?=} level * @return {?} */ _reportError(message, sourceSpan, level = ParseErrorLevel.ERROR) { this._targetErrors.push(new ParseError(sourceSpan, message, level)); } /** * @param {?} errors * @param {?} sourceSpan * @return {?} */ _reportExpressionParserErrors(errors, sourceSpan) { for (const /** @type {?} */ error of errors) { this._reportError(error.message, sourceSpan); } } /** * @param {?} ast * @param {?} sourceSpan * @return {?} */ _checkPipes(ast, sourceSpan) { if (ast) { const /** @type {?} */ collector = new PipeCollector(); ast.visit(collector); collector.pipes.forEach((ast, pipeName) => { const /** @type {?} */ pipeMeta = this.pipesByName.get(pipeName); if (!pipeMeta) { this._reportError(`The pipe '${pipeName}' could not be found`, new ParseSourceSpan(sourceSpan.start.moveBy(ast.span.start), sourceSpan.start.moveBy(ast.span.end))); } else { this._usedPipes.set(pipeName, pipeMeta); } }); } } /** * @param {?} propName the name of the property / attribute * @param {?} sourceSpan * @param {?} isAttr true when binding to an attribute * @return {?} */ _validatePropertyOrAttributeName(propName, sourceSpan, isAttr) { const /** @type {?} */ report = isAttr ? this._schemaRegistry.validateAttribute(propName) : this._schemaRegistry.validateProperty(propName); if (report.error) { this._reportError(/** @type {?} */ ((report.msg)), sourceSpan, ParseErrorLevel.ERROR); } } } class PipeCollector extends RecursiveAstVisitor { constructor() { super(...arguments); this.pipes = new Map(); } /** * @param {?} ast * @param {?} context * @return {?} */ visitPipe(ast, context) { this.pipes.set(ast.name, ast); ast.exp.visit(this); this.visitAll(ast.args, context); return null; } } /** * @param {?} name * @return {?} */ function _isAnimationLabel(name) { return name[0] == '@'; } /** * @param {?} registry * @param {?} selector * @param {?} propName * @param {?} isAttribute * @return {?} */ function calcPossibleSecurityContexts(registry, selector, propName, isAttribute) { const /** @type {?} */ ctxs = []; CssSelector.parse(selector).forEach((selector) => { const /** @type {?} */ elementNames = selector.element ? [selector.element] : registry.allKnownElementNames(); const /** @type {?} */ notElementNames = new Set(selector.notSelectors.filter(selector => selector.isElementSelector()) .map((selector) => selector.element)); const /** @type {?} */ possibleElementNames = elementNames.filter(elementName => !notElementNames.has(elementName)); ctxs.push(...possibleElementNames.map(elementName => registry.securityContext(elementName, propName, isAttribute))); }); return ctxs.length === 0 ? [SecurityContext.NONE] : Array.from(new Set(ctxs)).sort(); } /** * @fileoverview added by tsickle * @suppress {checkTypes} checked by tsc */ /** * @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 */ const BIND_NAME_REGEXP = /^(?:(?:(?:(bind-)|(let-)|(ref-|#)|(on-)|(bindon-)|(@))(.+))|\[\(([^\)]+)\)\]|\[([^\]]+)\]|\(([^\)]+)\))$/; // Group 1 = "bind-" const KW_BIND_IDX = 1; // Group 2 = "let-" const KW_LET_IDX = 2; // Group 3 = "ref-/#" const KW_REF_IDX = 3; // Group 4 = "on-" const KW_ON_IDX = 4; // Group 5 = "bindon-" const KW_BINDON_IDX = 5; // Group 6 = "@" const KW_AT_IDX = 6; // Group 7 = the identifier after "bind-", "let-", "ref-/#", "on-", "bindon-" or "@" const IDENT_KW_IDX = 7; // Group 8 = identifier inside [()] const IDENT_BANANA_BOX_IDX = 8; // Group 9 = identifier inside [] const IDENT_PROPERTY_IDX = 9; // Group 10 = identifier inside () const IDENT_EVENT_IDX = 10; // deprecated in 4.x const TEMPLATE_ELEMENT = 'template'; // deprecated in 4.x const TEMPLATE_ATTR = 'template'; const TEMPLATE_ATTR_PREFIX = '*'; const CLASS_ATTR = 'class'; const TEXT_CSS_SELECTOR = CssSelector.parse('*')[0]; const TEMPLATE_ELEMENT_DEPRECATION_WARNING = 'The