{ "id": "guide/aot-compiler", "title": "Ahead-of-time (AOT) compilation", "contents": "\n\n\n
\n mode_edit\n
\n\n\n
\n

Ahead-of-time (AOT) compilationlink

\n

An Angular application consists mainly of components and their HTML templates. Because the components and templates provided by Angular cannot be understood by the browser directly, Angular applications require a compilation process before they can run in a browser.

\n

The Angular ahead-of-time (AOT) compiler converts your Angular HTML and TypeScript code into efficient JavaScript code during the build phase before the browser downloads and runs that code. Compiling your application during the build process provides a faster rendering in the browser.

\n

This guide explains how to specify metadata and apply available compiler options to compile your applications efficiently using the AOT compiler.

\n
\n

Watch Alex Rickabaugh explain the Angular compiler at AngularConnect 2019.

\n
\n\n

Here are some reasons you might want to use AOT.

\n\n\n

Choosing a compilerlink

\n

Angular offers two ways to compile your application:

\n\n

When you run the ng build (build only) or ng serve (build and serve locally) CLI commands, the type of compilation (JIT or AOT) depends on the value of the aot property in your build configuration specified in angular.json. By default, aot is set to true for new CLI apps.

\n

See the CLI command reference and Building and serving Angular apps for more information.

\n

How AOT workslink

\n

The Angular AOT compiler extracts metadata to interpret the parts of the application that Angular is supposed to manage.\nYou can specify the metadata explicitly in decorators such as @Component() and @Input(), or implicitly in the constructor declarations of the decorated classes.\nThe metadata tells Angular how to construct instances of your application classes and interact with them at runtime.

\n

In the following example, the @Component() metadata object and the class constructor tell Angular how to create and display an instance of TypicalComponent.

\n\n@Component({\n selector: 'app-typical',\n template: '<div>A typical component for {{data.name}}</div>'\n})\nexport class TypicalComponent {\n @Input() data: TypicalData;\n constructor(private someService: SomeService) { ... }\n}\n\n

The Angular compiler extracts the metadata once and generates a factory for TypicalComponent.\nWhen it needs to create a TypicalComponent instance, Angular calls the factory, which produces a new visual element, bound to a new instance of the component class with its injected dependency.

\n

Compilation phaseslink

\n

There are three phases of AOT compilation.

\n\n

Metadata restrictionslink

\n

You write metadata in a subset of TypeScript that must conform to the following general constraints:

\n\n

For additional guidelines and instructions on preparing an application for AOT compilation, see Angular: Writing AOT-friendly applications.

\n
\n

Errors in AOT compilation commonly occur because of metadata that does not conform to the compiler's requirements (as described more fully below).\nFor help in understanding and resolving these problems, see AOT Metadata Errors.

\n
\n

Configuring AOT compilationlink

\n

You can provide options in the TypeScript configuration file that controls the compilation process. See Angular compiler options for a complete list of available options.

\n

Phase 1: Code analysislink

\n

The TypeScript compiler does some of the analytic work of the first phase. It emits the .d.ts type definition files with type information that the AOT compiler needs to generate application code.\nAt the same time, the AOT collector analyzes the metadata recorded in the Angular decorators and outputs metadata information in .metadata.json files, one per .d.ts file.

\n

You can think of .metadata.json as a diagram of the overall structure of a decorator's metadata, represented as an abstract syntax tree (AST).

\n
\n

Angular's schema.ts\ndescribes the JSON format as a collection of TypeScript interfaces.

\n
\n\n

Expression syntax limitationslink

\n

The AOT collector only understands a subset of JavaScript.\nDefine metadata objects with the following limited syntax:

\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
SyntaxExample
Literal object {cherry: true, apple: true, mincemeat: false}
Literal array ['cherries', 'flour', 'sugar']
Spread in literal array['apples', 'flour', ...the_rest]
Callsbake(ingredients)
Newnew Oven()
Property accesspie.slice
Array indexingredients[0]
Identity referenceComponent
A template string`pie is ${multiplier} times better than cake`
Literal stringpi
Literal number3.14153265
Literal booleantrue
Literal nullnull
Supported prefix operator !cake
Supported binary operator a+b
Conditional operatora ? b : c
Parentheses(a+b)
\n

If an expression uses unsupported syntax, the collector writes an error node to the .metadata.json file.\nThe compiler later reports the error if it needs that piece of metadata to generate the application code.

\n
\n

If you want ngc to report syntax errors immediately rather than produce a .metadata.json file with errors, set the strictMetadataEmit option in the TypeScript configuration file.

\n\n \"angularCompilerOptions\": {\n ...\n \"strictMetadataEmit\" : true\n }\n\n

Angular libraries have this option to ensure that all Angular .metadata.json files are clean and it is a best practice to do the same when building your own libraries.

\n
\n\n\n

No arrow functionslink

\n

The AOT compiler does not support function expressions\nand arrow functions, also called lambda functions.

\n

Consider the following component decorator:

\n\n@Component({\n ...\n providers: [{provide: server, useFactory: () => new Server()}]\n})\n\n

The AOT collector does not support the arrow function, () => new Server(), in a metadata expression.\nIt generates an error node in place of the function.\nWhen the compiler later interprets this node, it reports an error that invites you to turn the arrow function into an exported function.

\n

You can fix the error by converting to this:

\n\nexport function serverFactory() {\n return new Server();\n}\n\n@Component({\n ...\n providers: [{provide: server, useFactory: serverFactory}]\n})\n\n

In version 5 and later, the compiler automatically performs this rewriting while emitting the .js file.

\n\n\n

Code foldinglink

\n

The compiler can only resolve references to exported symbols.\nThe collector, however, can evaluate an expression during collection and record the result in the .metadata.json, rather than the original expression.\nThis allows you to make limited use of non-exported symbols within expressions.

\n

For example, the collector can evaluate the expression 1 + 2 + 3 + 4 and replace it with the result, 10.\nThis process is called folding. An expression that can be reduced in this manner is foldable.

\n\n

The collector can evaluate references to module-local const declarations and initialized var and let declarations, effectively removing them from the .metadata.json file.

\n

Consider the following component definition:

\n\nconst template = '<div>{{hero.name}}</div>';\n\n@Component({\n selector: 'app-hero',\n template: template\n})\nexport class HeroComponent {\n @Input() hero: Hero;\n}\n\n

The compiler could not refer to the template constant because it isn't exported.\nThe collector, however, can fold the template constant into the metadata definition by in-lining its contents.\nThe effect is the same as if you had written:

\n\n@Component({\n selector: 'app-hero',\n template: '<div>{{hero.name}}</div>'\n})\nexport class HeroComponent {\n @Input() hero: Hero;\n}\n\n

There is no longer a reference to template and, therefore, nothing to trouble the compiler when it later interprets the collector's output in .metadata.json.

\n

You can take this example a step further by including the template constant in another expression:

\n\nconst template = '<div>{{hero.name}}</div>';\n\n@Component({\n selector: 'app-hero',\n template: template + '<div>{{hero.title}}</div>'\n})\nexport class HeroComponent {\n @Input() hero: Hero;\n}\n\n

The collector reduces this expression to its equivalent folded string:

\n\n'<div>{{hero.name}}</div><div>{{hero.title}}</div>'\n\n

Foldable syntaxlink

\n

The following table describes which expressions the collector can and cannot fold:

\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
SyntaxFoldable
Literal object yes
Literal array yes
Spread in literal arrayno
Callsno
Newno
Property accessyes, if target is foldable
Array index yes, if target and index are foldable
Identity referenceyes, if it is a reference to a local
A template with no substitutionsyes
A template with substitutionsyes, if the substitutions are foldable
Literal stringyes
Literal numberyes
Literal booleanyes
Literal nullyes
Supported prefix operator yes, if operand is foldable
Supported binary operator yes, if both left and right are foldable
Conditional operatoryes, if condition is foldable
Parenthesesyes, if the expression is foldable
\n

If an expression is not foldable, the collector writes it to .metadata.json as an AST for the compiler to resolve.

\n

Phase 2: code generationlink

\n

The collector makes no attempt to understand the metadata that it collects and outputs to .metadata.json.\nIt represents the metadata as best it can and records errors when it detects a metadata syntax violation.\nIt's the compiler's job to interpret the .metadata.json in the code generation phase.

\n

The compiler understands all syntax forms that the collector supports, but it may reject syntactically correct metadata if the semantics violate compiler rules.

\n

Public symbolslink

\n

The compiler can only reference exported symbols.

\n\n\n// BAD CODE - title is private\n@Component({\n selector: 'app-root',\n template: '<h1>{{title}}</h1>'\n})\nexport class AppComponent {\n private title = 'My App'; // Bad\n}\n\n\n

Supported classes and functionslink

\n

The collector can represent a function call or object creation with new as long as the syntax is valid.\nThe compiler, however, can later refuse to generate a call to a particular function or creation of a particular object.

\n

The compiler can only create instances of certain classes, supports only core decorators, and only supports calls to macros (functions or static methods) that return expressions.

\n\n\n

Functions and static method callslink

\n

The collector accepts any function or static method that contains a single return statement.\nThe compiler, however, only supports macros in the form of functions or static methods that return an expression.

\n

For example, consider the following function:

\n\nexport function wrapInArray<T>(value: T): T[] {\n return [value];\n}\n\n

You can call the wrapInArray in a metadata definition because it returns the value of an expression that conforms to the compiler's restrictive JavaScript subset.

\n

You might use wrapInArray() like this:

\n\n@NgModule({\n declarations: wrapInArray(TypicalComponent)\n})\nexport class TypicalModule {}\n\n

The compiler treats this usage as if you had written:

\n\n@NgModule({\n declarations: [TypicalComponent]\n})\nexport class TypicalModule {}\n\n

The Angular RouterModule exports two macro static methods, forRoot and forChild, to help declare root and child routes.\nReview the source code\nfor these methods to see how macros can simplify configuration of complex NgModules.

\n\n

Metadata rewritinglink

\n

The compiler treats object literals containing the fields useClass, useValue, useFactory, and data specially, converting the expression initializing one of these fields into an exported variable that replaces the expression.\nThis process of rewriting these expressions removes all the restrictions on what can be in them because\nthe compiler doesn't need to know the expression's value—it just needs to be able to generate a reference to the value.

\n

You might write something like:

\n\nclass TypicalServer {\n\n}\n\n@NgModule({\n providers: [{provide: SERVER, useFactory: () => TypicalServer}]\n})\nexport class TypicalModule {}\n\n

Without rewriting, this would be invalid because lambdas are not supported and TypicalServer is not exported.\nTo allow this, the compiler automatically rewrites this to something like:

\n\nclass TypicalServer {\n\n}\n\nexport const ɵ0 = () => new TypicalServer();\n\n@NgModule({\n providers: [{provide: SERVER, useFactory: ɵ0}]\n})\nexport class TypicalModule {}\n\n

This allows the compiler to generate a reference to ɵ0 in the factory without having to know what the value of ɵ0 contains.

\n

The compiler does the rewriting during the emit of the .js file.\nIt does not, however, rewrite the .d.ts file, so TypeScript doesn't recognize it as being an export. and it does not interfere with the ES module's exported API.

\n\n

Phase 3: Template type checkinglink

\n

One of the Angular compiler's most helpful features is the ability to type-check expressions within templates, and catch any errors before they cause crashes at runtime.\nIn the template type-checking phase, the Angular template compiler uses the TypeScript compiler to validate the binding expressions in templates.

\n

Enable this phase explicitly by adding the compiler option \"fullTemplateTypeCheck\" in the \"angularCompilerOptions\" of the project's TypeScript configuration file\n(see Angular Compiler Options).

\n
\n

In Angular Ivy, the template type checker has been completely rewritten to be more capable as well as stricter, meaning it can catch a variety of new errors that the previous type checker would not detect.

\n

As a result, templates that previously compiled under View Engine can fail type checking under Ivy. This can happen because Ivy's stricter checking catches genuine errors, or because application code is not typed correctly, or because the application uses libraries in which typings are inaccurate or not specific enough.

\n

This stricter type checking is not enabled by default in version 9, but can be enabled by setting the strictTemplates configuration option.\nWe do expect to make strict type checking the default in the future.

\n

For more information about type-checking options, and about improvements to template type checking in version 9 and above, see Template type checking.

\n
\n

Template validation produces error messages when a type error is detected in a template binding\nexpression, similar to how type errors are reported by the TypeScript compiler against code in a .ts\nfile.

\n

For example, consider the following component:

\n\n @Component({\n selector: 'my-component',\n template: '{{person.addresss.street}}'\n })\n class MyComponent {\n person?: Person;\n }\n\n

This produces the following error:

\n\n my.component.ts.MyComponent.html(1,1): : Property 'addresss' does not exist on type 'Person'. Did you mean 'address'?\n\n

The file name reported in the error message, my.component.ts.MyComponent.html, is a synthetic file\ngenerated by the template compiler that holds contents of the MyComponent class template.\nThe compiler never writes this file to disk.\nThe line and column numbers are relative to the template string in the @Component annotation of the class, MyComponent in this case.\nIf a component uses templateUrl instead of template, the errors are reported in the HTML file referenced by the templateUrl instead of a synthetic file.

\n

The error location is the beginning of the text node that contains the interpolation expression with the error.\nIf the error is in an attribute binding such as [value]=\"person.address.street\", the error\nlocation is the location of the attribute that contains the error.

\n

The validation uses the TypeScript type checker and the options supplied to the TypeScript compiler to control how detailed the type validation is.\nFor example, if the strictTypeChecks is specified, the error\nmy.component.ts.MyComponent.html(1,1): : Object is possibly 'undefined'\nis reported as well as the above error message.

\n

Type narrowinglink

\n

The expression used in an ngIf directive is used to narrow type unions in the Angular\ntemplate compiler, the same way the if expression does in TypeScript.\nFor example, to avoid Object is possibly 'undefined' error in the template above, modify it to only emit the interpolation if the value of person is initialized as shown below:

\n\n @Component({\n selector: 'my-component',\n template: '<span *ngIf=\"person\"> {{person.addresss.street}} </span>'\n })\n class MyComponent {\n person?: Person;\n }\n\n

Using *ngIf allows the TypeScript compiler to infer that the person used in the binding expression will never be undefined.

\n

For more information about input type narrowing, see Input setter coercion and Improving template type checking for custom directives.

\n

Non-null type assertion operatorlink

\n

Use the non-null type assertion operator to suppress the Object is possibly 'undefined' error when it is inconvenient to use *ngIf or when some constraint in the component ensures that the expression is always non-null when the binding expression is interpolated.

\n

In the following example, the person and address properties are always set together, implying that address is always non-null if person is non-null.\nThere is no convenient way to describe this constraint to TypeScript and the template compiler, but the error is suppressed in the example by using address!.street.

\n\n @Component({\n selector: 'my-component',\n template: '<span *ngIf=\"person\"> {{person.name}} lives on {{address!.street}} </span>'\n })\n class MyComponent {\n person?: Person;\n address?: Address;\n\n setData(person: Person, address: Address) {\n this.person = person;\n this.address = address;\n }\n }\n\n

The non-null assertion operator should be used sparingly as refactoring of the component might break this constraint.

\n

In this example it is recommended to include the checking of address in the *ngIf as shown below:

\n\n @Component({\n selector: 'my-component',\n template: '<span *ngIf=\"person && address\"> {{person.name}} lives on {{address.street}} </span>'\n })\n class MyComponent {\n person?: Person;\n address?: Address;\n\n setData(person: Person, address: Address) {\n this.person = person;\n this.address = address;\n }\n }\n\n\n \n
\n\n\n" }