diff --git a/.vscode/settings.json b/.vscode/settings.json new file mode 100644 index 0000000000..7fe30fc88d --- /dev/null +++ b/.vscode/settings.json @@ -0,0 +1,9 @@ +// Place your settings in this file to overwrite default and user settings. +{ + // Controls the rendering size of tabs in characters. Accepted values: "auto", 2, 4, 6, etc. If set to "auto", the value will be guessed when a file is opened. + "editor.tabSize": 2, + // Controls if the editor will insert spaces for tabs. Accepted values: "auto", true, false. If set to "auto", the value will be guessed when a file is opened. + "editor.insertSpaces": true, + // When enabled, will trim trailing whitespace when you save a file. + "files.trimTrailingWhitespace": false +} \ No newline at end of file diff --git a/public/docs/_examples/gettingstarted/js/app.js b/public/docs/_examples/gettingstarted/js/app.js index 13c1bad380..f510991dbc 100644 --- a/public/docs/_examples/gettingstarted/js/app.js +++ b/public/docs/_examples/gettingstarted/js/app.js @@ -1,32 +1,25 @@ +// #docregion dsl (function() { -// #docregion + // #docregion class-w-annotations var AppComponent = ng - // #docregion component - .Component({ - selector: 'my-app' - }) - // #enddocregion - // #docregion view - .View({ - template: '
index.html
and app.ts
, both at the root of the project:
+
+ code-example.
+ $ touch app.ts index.html
+
+// STEP 2 - Start the TypeScript compiler ##########################
+.l-main-section
+ h2#start-tsc 2. Run the TypeScript compiler
+
+ p.
+ Since the browser doesn't understand TypeScript code, we need to run a compiler to translate
+ your code to browser-compliant JavaScript as you work. This quickstart uses the TypeScript
+ compiler in --watch
mode, but it is also possible to do the translation in the browser as files
+ are loaded, or configure your editor or IDE to do it.
+
+ code-example.
+ $ npm install -g typescript@^1.5.0
+ $ tsc --watch -m commonjs -t es5 --emitDecoratorMetadata app.ts
+
+.callout.is-helpful
+ p.
+ Windows users: if you get an error that an option is unknown, you are probably running
+ an older version of TypeScript.
+ See
+ Stack Overflow: How do I install Typescript
+
+// STEP 3 - Import Angular ##########################
+.l-main-section
+ h2#section-transpile 3. Import Angular
+
+ p Inside of app.ts
, import the type definitions from Angular:
+ code-example.
+ /// <reference path="typings/angular2/angular2.d.ts" />
+
+ p Now your editor should be able to complete the available imports:
+ code-example.
+ import {Component, View, bootstrap} from 'angular2/angular2';
+
+ p.
+ The above import statement uses ES6 module syntax to import three symbols from the Angular module.
+ The module will load at runtime.
+
+
+// STEP 4 - Create a component ##########################
+.l-main-section
+
+ h2#section-angular-create-account 4. Define a component
+
+ p.
+ Components structure and represent the UI. This quickstart demonstrates the process of creating a component
+ that has an HTML tag named <my-app>
.
+
+ p.
+ A component consists of two parts, the component controller
+ which is an ES6 class, and the decorators which tell Angular
+ how to place the component into the page.
+
+ code-example(language="javascript" format="linenums").
+ // Annotation section
+ @Component({
+ selector: 'my-app'
+ })
+ @View({
+ template: '<h1>Hello {{ name }}</h1>'
+ })
+ // Component controller
+ class MyAppComponent {
+ name: string;
+
+ constructor() {
+ this.name = 'Alice';
+ }
+ }
+
+ .l-sub-section
+ h3 @Component and @View annotations
+
+ p.
+ A component annotation describes details about the component. An annotation can be identified by its at-sign (@
).
+ p.
+ The @Component
annotation defines the HTML tag for the component by specifying the component's CSS selector.
+ p.
+ The @View
annotation defines the HTML that represents the component. The component you wrote uses an inline template, but you can also have an external template. To use an external template, specify a templateUrl
property and give it the path to the HTML file.
+
+ code-example(language="javascript" format="linenums").
+ @Component({
+ selector: 'my-app' // Defines the <my-app></my-app> tag
+ })
+ @View({
+ template: '<h1>Hello {{ name }}</h1>' // Defines the inline template for the component
+ })
+
+ p.
+ The annotations above specify an HTML tag of <my-app>
+ and a template of <h1>Hello {{ name }}</h1>
.
+
+ .l-sub-section
+ h3 The template and the component controller
+
+ p.
+ The component controller is the backing of the component's template. This component
+ controller uses TypeScript class
syntax.
+
+ code-example(language="javascript" format="linenums").
+ class MyAppComponent {
+ name: string;
+ constructor() {
+ this.name = 'Alice';
+ }
+ }
+
+ p.
+ Templates read from their component controllers. Templates have access to any properties
+ or functions placed on the component controller.
+
+ p.
+ The template above binds to a name
property through
+ the double-mustache syntax ({{ ... }}
).
+ The body of the constructor assigns "Alice" to the name property. When the
+ template renders, "Hello Alice" appears instead of
+ "Hello {{ name }}".
+
+
+
+// STEP 5 - Bootstrap ##########################
+.l-main-section
+ h2#section-transpile 5. Bootstrap
+
+ p.
+ At the bottom of app.ts
, call the bootstrap()
function
+ to load your new component into its page:
+
+ code-example(language="javaScript").
+ bootstrap(MyAppComponent);
+
+
+ p.
+ The bootstrap()
function takes a
+ component as a parameter, enabling the component
+ (as well as any child components it contains) to render.
+
+
+// STEP 6 - Declare the HTML ##########################
+.l-main-section
+
+ h2#section-angular-create-account 6. Declare the HTML
+
+ p.
+ Inside the head
tag of index.html
,
+ include the traceur-runtime and the Angular bundle.
+ Instantiate the my-app
component in the body
.
+
+ code-example(language="html" format="linenums").
+ <!-- index.html -->
+ <html>
+ <head>
+ <title>Angular 2 Quickstart</title>
+ <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
+ <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
+ </head>
+ <body>
+
+ <!-- The app component created in app.ts -->
+ <my-app></my-app>
+
+ </body>
+ </html>
+
+// STEP 7 - Declare the HTML ##########################
+.l-main-section
+
+ h2#section-load-component-module 7. Load the component
+
+ p.
+ The last step is to load the module for the my-app
component.
+ To do this, we'll use the System library.
+
+ .l-sub-section
+ h3 System.js
+
+ p.
+ System is a third-party open-source library that
+ adds ES6 module loading functionality to browsers.
+
+ p.
+ Add the System.js dependency in the <head>
tag, so that
+ it looks like:
+
+ code-example(language="html" format="linenums").
+ <head>
+ <title>Angular 2 Quickstart</title>
+ <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
+ <script src="https://jspm.io/system@0.16.js"></script>
+ <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
+ </head>
+
+ p.
+ Add the following module-loading code:
+
+ code-example(language="html" format="linenums").
+ <my-app></my-app>
+ <script>System.import('app');</script>
+
+
+// STEP 8 - Run a local server ##########################
+.l-main-section
+
+ h2#section-load-component-module 8. Run a local server
+
+ p Run a local HTTP server, and view index.html
.
+
+ p.
+ If you don't already have an HTTP server,
+ you can install one using npm install -g http-server
.
+ (If that results in an access error, then you might need to use
+ sudo npm ...
.)
+
+ p For example:
+
+ code-example.
+ # From the directory that contains index.html:
+ npm install -g http-server # Or sudo npm install -g http-server
+ http-server # Creates a server at localhost:8080
+ # In a browser, visit localhost:8080/index.html
+
+
+// WHAT'S NEXT... ##########################
+.l-main-section
+ h2#section-transpile Great job! We'll have the next steps out soon.
diff --git a/public/docs/js/latest/quickstart.jade b/public/docs/js/latest/quickstart.jade
index f5eec2aa35..a9023f69e9 100644
--- a/public/docs/js/latest/quickstart.jade
+++ b/public/docs/js/latest/quickstart.jade
@@ -1,261 +1,195 @@
-.callout.is-helpful
- header Angular is in developer preview
- p.
- This quickstart does not reflect the final development process for writing apps with Angular.
- The following setup is for those who want to try out Angular while it is in developer preview.
+include ../../../_includes/_util-fns
-// STEP 1 - Create a project ##########################
-.l-main-section
- h2#section-create-project 1. Create a project
-
- p.
- This quickstart shows how to write your Angular components in TypeScript. You could instead choose
- another language such as Dart, ES5, or ES6.
-
- p.
- The goal of this quickstart is to write a component in TypeScript that prints a string.
- We assume you have already installed Node and npm.
-
- p.
- To get started, create a new empty project directory. All the following commands should be run
- from this directory.
-
- p.
- To get the benefits of TypeScript, we want to have the type definitions available for the compiler and the editor.
- TypeScript type definitions are typically published in a repo called DefinitelyTyped.
- To fetch one of the type definitions to the local directory, we use the tsd package manager.
-
- code-example.
- $ npm install -g tsd@^0.6.0
- $ tsd install angular2 es6-promise rx rx-lite
-
- p.
- Next, create two empty files, index.html
and app.ts
, both at the root of the project:
-
- code-example.
- $ touch app.ts index.html
-
-// STEP 2 - Start the TypeScript compiler ##########################
-.l-main-section
- h2#start-tsc 2. Run the TypeScript compiler
-
- p.
- Since the browser doesn't understand TypeScript code, we need to run a compiler to translate
- your code to browser-compliant JavaScript as you work. This quickstart uses the TypeScript
- compiler in --watch
mode, but it is also possible to do the translation in the browser as files
- are loaded, or configure your editor or IDE to do it.
-
- code-example.
- $ npm install -g typescript@^1.5.0
- $ tsc --watch -m commonjs -t es5 --emitDecoratorMetadata app.ts
+:markdown
+ Let's start from zero and build a simple Angular 2 application in JavaScript.
.callout.is-helpful
- p.
- Windows users: if you get an error that an option is unknown, you are probably running
- an older version of TypeScript.
- See
- Stack Overflow: How do I install Typescript
+ header Don't want JavaScript?
+ :markdown
+ Although we're getting started in JavaScript, you can also write Angular 2 apps
+ in TypeScript and Dart by selecting either of those languages from the combo-box in the banner.
-// STEP 3 - Import Angular ##########################
-.l-main-section
- h2#section-transpile 3. Import Angular
+:markdown
+ We'll do it in six short steps
+ 1. Create a project folder
+ 1. Install essential libraries
+ 1. Write the root component for our application in *app.js*
+ 1. Bootstrap the app
+ 1. Create an *index.html*
+ 1. Run it
- p Inside of app.ts
, import the type definitions from Angular:
- code-example.
- /// <reference path="typings/angular2/angular2.d.ts" />
-
- p Now your editor should be able to complete the available imports:
- code-example.
- import {Component, View, bootstrap} from 'angular2/angular2';
-
- p.
- The above import statement uses ES6 module syntax to import three symbols from the Angular module.
- The module will load at runtime.
-
-
-// STEP 4 - Create a component ##########################
.l-main-section
- h2#section-angular-create-account 4. Define a component
+ :markdown
+ ## Create a project folder
+
+ **Create a new folder** to hold our application project, perhaps like this:
+ ```
+ mkdir angular2-getting-started
+ cd angular2-getting-started
+ ```
+ ## Install essential libraries
- p.
- Components structure and represent the UI. This quickstart demonstrates the process of creating a component
- that has an HTML tag named <my-app>
.
+ We'll use the **npm package manager** to install packages for
+ the libraries and development tools we need:
- p.
- A component consists of two parts, the component controller
- which is an ES6 class, and the decorators which tell Angular
- how to place the component into the page.
+ >angular2 - the Angular 2 library.
+
+ >[live-server](https://www.npmjs.com/package/live-server "Live-server")
+ a static file server that reloads the browser when files change.
+
+ We could reference the libraries on the web or download them to our project.
+ That isn't a sustainable development process and package loading with npm is really
+ easy once we have it installed.
- code-example(language="javascript" format="linenums").
- // Annotation section
- @Component({
- selector: 'my-app'
- })
- @View({
- template: '<h1>Hello {{ name }}</h1>'
- })
- // Component controller
- class MyAppComponent {
- name: string;
+ .alert.is-helpful
+ :markdown
+ Don't have npm? [Get it now](https://docs.npmjs.com/getting-started/installing-node "Installing Node.js and updating npm")
+ because we're going to use it now and repeatedly throughout this documentation.
+
+ :markdown
+ **Open** a terminal window and enter these commands:
+ ```
+ npm init -y
+ npm i angular2@2.0.0-alpha.42 --save --save-exact
+ npm i live-server --save-dev
+ ```
+ These commands both *install* the packages and *create* an npm configuration
+ file named `package.json`.
+ The essence of our `package.json` should look like this:
- constructor() {
- this.name = 'Alice';
- }
- }
+ +makeJson('gettingstarted/js/package.json', { paths: 'name, version, dependencies, devDependencies'})
+ :markdown
+ There is also a `scripts` section. **Find and replace** it with the following:
+
+ +makeJson('gettingstarted/js/package.json', { paths: 'scripts'})
+
+ :markdown
+ We've just extended our project world with a script command that we'll be running very soon.
+
+.l-main-section
+ :markdown
+ ## Our first Angular component
+
+ Add a new file called *app.js* and paste the following lines:
+
+ +makeExample('gettingstarted/js/app.js', 'class-w-annotations')
+
+ :markdown
+ We're creating a visual component named **`appComponent`** by chaining the
+ `Component` and `Class` methods that belong to the **global Angular namespace, `ng`**.
+
+ ```
+ var AppComponent = ng
+ .Component({...})
+ .Class({...})
+ ```
+ The **`Component`** method takes a configuration object with two
+ properties. The `selector` property tells Angular that this is a component
+ controlling a host element named "my-app".
+ Angular creates and displays an instance of our `AppComponent`
+ wherever it encounters a `my-app` element.
+
+ The `template` property defines the visual appearance of the component.
+ We're writing the HTML template inline in this example.
+ Later we'll move the HTML to a view template file and
+ assign the template's filename to the `templateUrl` property.
+ We'll prefer that practice for all but the most trivial templates.
+
+ The **`Class`** method is where we implement the component itself,
+ giving it properties and methods that bind to the view and whatever
+ behavior is appropriate for this part of the UI.
+
+ This component class has the bare minimum implementation:
+ a *no-op* constructor function that does nothing because there is nothing to do.
+ We'll see more interesting component classes in future examples.
+
+.l-main-section
+ :markdown
+ ## Bootstrap the app
+ We need to do something to put our application in motion.
+ Add the following to the bottom of the `app.js` file:
+
+ +makeExample('gettingstarted/js/app.js', 'bootstrap')
+
+ :markdown
+ We'll wait for the browser to tell us that it has finished loading
+ all content and then we'll call the Angular `bootstrap` method.
+
+ The `bootstrap` method tells Angular to start the application with our
+ `AppComponent` at the application root.
+ We'd be correct to guess that someday our application will
+ consist of more components arising in tree-like fashion from this root.
+
+ ### Wrapped in an IIFE
+ We don't want to pollute the global namespace.
+ We don't need an application namespace yet.
+ So we'll surround the code in a simple IIFE
+ ("Immediately Invoked Function Execution")
+ wrapper.
+
+ Here is the entire file:
+ +makeExample('gettingstarted/js/app.js', 'dsl')
+
+.l-main-section
+ :markdown
+ ## Create an *index.html*
+
+ **Add a new `index.html`** file to the project folder and enter the following HTML
+
+ +makeExample('gettingstarted/js/index.html', null, 'index.html')(format="")
.l-sub-section
- h3 @Component and @View annotations
+ :markdown
+ Our app loads two script files in the `` element:
- p.
- A component annotation describes details about the component. An annotation can be identified by its at-sign (@
).
- p.
- The @Component
annotation defines the HTML tag for the component by specifying the component's CSS selector.
- p.
- The @View
annotation defines the HTML that represents the component. The component you wrote uses an inline template, but you can also have an external template. To use an external template, specify a templateUrl
property and give it the path to the HTML file.
+ >***angular2.sfx.dev.js***, the Angular 2 development library that puts
+ Angular in the global `ng` namespace.
- code-example(language="javascript" format="linenums").
- @Component({
- selector: 'my-app' // Defines the <my-app></my-app> tag
- })
- @View({
- template: '<h1>Hello {{ name }}</h1>' // Defines the inline template for the component
- })
+ >***app.js***, the application JavaScript we just wrote.
- p.
- The annotations above specify an HTML tag of <my-app>
- and a template of <h1>Hello {{ name }}</h1>
.
+ In the ``, there's an element called `class
syntax.
-
- code-example(language="javascript" format="linenums").
- class MyAppComponent {
- name: string;
- constructor() {
- this.name = 'Alice';
- }
- }
-
- p.
- Templates read from their component controllers. Templates have access to any properties
- or functions placed on the component controller.
-
- p.
- The template above binds to a name
property through
- the double-mustache syntax ({{ ... }}
).
- The body of the constructor assigns "Alice" to the name property. When the
- template renders, "Hello Alice" appears instead of
- "Hello {{ name }}".
-
-
-
-// STEP 5 - Bootstrap ##########################
.l-main-section
- h2#section-transpile 5. Bootstrap
+ :markdown
+ ## Run it!
- p.
- At the bottom of app.ts
, call the bootstrap()
function
- to load your new component into its page:
+ We need a file server to serve the static assets of our application
+ (*index.html* and *app.js*).
- code-example(language="javaScript").
- bootstrap(MyAppComponent);
+ For this example we'll use the **live-server** that we installed with `npm`
+ because it performs a live reload by default and it's
+ fun to watch the browser update as we make changes.
+ Open a terminal (or Windows/Linux command line) and enter:
- p.
- The bootstrap()
function takes a
- component as a parameter, enabling the component
- (as well as any child components it contains) to render.
+ pre.prettyprint.lang-bash
+ code npm start
+ .alert.is-helpful
+ :markdown
+ That's the `npm` command we added earlier to the `scripts` section of `package.json`
+
+ :markdown
+ **live-server** loads the browser for us and refreshes the page as we make
+ changes to the application.
+
+ In a few moments, a browser tab should open and display
-// STEP 6 - Declare the HTML ##########################
-.l-main-section
+ figure.image-display
+ img(src='/resources/images/devguide/getting-started/my-first-app.png' alt="Output of getting started app")
- h2#section-angular-create-account 6. Declare the HTML
+ :markdown
+ ### Make some changes
+ The `live-server` detects changes to our files and refreshes the browser page for us automatically.
- p.
- Inside the head
tag of index.html
,
- include the traceur-runtime and the Angular bundle.
- Instantiate the my-app
component in the body
.
+ Try changing the message to "My SECOND Angular 2 app".
+ The `live-server` sees that change and reloads the browser.
- code-example(language="html" format="linenums").
- <!-- index.html -->
- <html>
- <head>
- <title>Angular 2 Quickstart</title>
- <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
- <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
- </head>
- <body>
-
- <!-- The app component created in app.ts -->
- <my-app></my-app>
-
- </body>
- </html>
-
-// STEP 7 - Declare the HTML ##########################
-.l-main-section
-
- h2#section-load-component-module 7. Load the component
-
- p.
- The last step is to load the module for the my-app
component.
- To do this, we'll use the System library.
-
- .l-sub-section
- h3 System.js
-
- p.
- System is a third-party open-source library that
- adds ES6 module loading functionality to browsers.
-
- p.
- Add the System.js dependency in the <head>
tag, so that
- it looks like:
-
- code-example(language="html" format="linenums").
- <head>
- <title>Angular 2 Quickstart</title>
- <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
- <script src="https://jspm.io/system@0.16.js"></script>
- <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
- </head>
-
- p.
- Add the following module-loading code:
-
- code-example(language="html" format="linenums").
- <my-app></my-app>
- <script>System.import('app');</script>
-
-
-// STEP 8 - Run a local server ##########################
-.l-main-section
-
- h2#section-load-component-module 8. Run a local server
-
- p Run a local HTTP server, and view index.html
.
-
- p.
- If you don't already have an HTTP server,
- you can install one using npm install -g http-server
.
- (If that results in an access error, then you might need to use
- sudo npm ...
.)
-
- p For example:
-
- code-example.
- # From the directory that contains index.html:
- npm install -g http-server # Or sudo npm install -g http-server
- http-server # Creates a server at localhost:8080
- # In a browser, visit localhost:8080/index.html
-
-
-// WHAT'S NEXT... ##########################
-.l-main-section
- h2#section-transpile Great job! We'll have the next steps out soon.
+ Keep `live-server` running in this terminal window and keep trying changes.
+ You can stop it anytime with `Ctrl-C`.
+
+ **Congratulations! We are in business** ... and ready to take
+ our app to the next level.
diff --git a/public/docs/ts/latest/_data.json b/public/docs/ts/latest/_data.json
index 1db7291142..82f6a689f3 100644
--- a/public/docs/ts/latest/_data.json
+++ b/public/docs/ts/latest/_data.json
@@ -13,7 +13,7 @@
"guide": {
"icon": "list",
- "title": "Step By Step Guide",
+ "title": "Developer Guide",
"banner": "Angular 2 is currently in Developer Preview. For Angular 1.X Resources please visit Angularjs.org."
},
diff --git a/public/docs/ts/latest/guide/_data.json b/public/docs/ts/latest/guide/_data.json
index 56acbce0df..24244bf96e 100644
--- a/public/docs/ts/latest/guide/_data.json
+++ b/public/docs/ts/latest/guide/_data.json
@@ -5,10 +5,6 @@
"title": "Step By Step Guide"
},
- "gettingStarted": {
- "title": "Getting Started"
- },
-
"displaying-data": {
"title": "Displaying Data",
"intro": "Displaying data is job number one for any good application. In Angular, you bind data to elements in HTML templates and Angular automatically updates the UI as data changes."
diff --git a/public/docs/ts/latest/guide/first-app-tests.jade b/public/docs/ts/latest/guide/first-app-tests.jade
index 8322204807..5f17e560f1 100644
--- a/public/docs/ts/latest/guide/first-app-tests.jade
+++ b/public/docs/ts/latest/guide/first-app-tests.jade
@@ -1,326 +1,316 @@
include ../../../../_includes/_util-fns
:markdown
- In this chapter we’ll setup the environment for testing our sample application and write a few easy Jasmine tests of the app’s simplest parts.
+ In this chapter we’ll setup the environment for testing our sample application and write a few easy Jasmine tests of the app’s simplest parts.
+ We'll learn:
+ - to test one of our application classes
+ - why we prefer our test files to be next to their corresponding source files
+ - to run tests with an `npm` command
+ - load the test file with systemJS
- We learn:
- - to test one of our application classes
- - why we prefer our test files to be next to their corresponding source files
- - to run tests with an `npm` command
- - load the test file with systemJS
+.callout.is-helpful
+ header Prior Knowledge
+ :markdown
+ The Unit Testing chapters build upon each other. We recommend reading them in order.
+ We're also assuming that you're already comfortable with basic Angular 2 concepts and the tools
+ we introduced in the [QuickStart](../quickstart.html) and
+ the [Tour of Heroes](./toh-pt1.html) tutorial
+ such as npm
, gulp
, and live-server
.
+:markdown
+ ## Create the test-runner HTML
- ## Prerequisites
+ Step away from the Jasmine 101 folder and turn to the root folder of the application that we downloaded in the previous chapter.
- We assume
+ Locate the `src` folder that contains the application `index.html`
- - you’ve learned the basics of Angular 2, from this Developers Guide or elsewhere. We won’t re-explain the Angular 2 architecture, its key parts, or the recommended development techniques.
- you’ve read the [Jasmine 101](./jasmine-testing-101.html) chapter.
- - you’ve downloaded the [Heroes application we’re about to test](./#).
+ Create a new, sibling HTML file, ** `unit-tests.html` ** and copy over the same basic material from the `unit-tests.html` in the [Jasmine 101](./jasmine-testing-101.html) chapter.
- ## Create the test-runner HTML
+ ```
+
+ jasmine-core
, not jasmine
!
:markdown
- Update the Typescript typings aggregation file (`tsd.d.ts`) with the Jasmine typings file.
+ Let’s make one more change to the `package.json` script commands.
-pre.prettyprint.lang-bash
- code npm tsd
+ **Open the `package.json` ** and scroll to the `scripts` node. Look for the command named `test`. Change it to:
-:markdown
- Let’s make one more change to the `package.json` script commands.
+ "test": "live-server --open=src/unit-tests.html"
- **Open the `package.json` ** and scroll to the `scripts` node. Look for the command named `test`. Change it to:
+ That command will launch `live-server` and open a browser to the `unit-tests.html` page we just wrote.
- "test": "live-server --open=src/unit-tests.html"
+ ## First app tests
- That command will launch `live-server` and open a browser to the `unit-tests.html` page we just wrote.
+ Believe it or not … we could start testing *some* of our app right away. For example, we can test the `Hero` class:
+ ```
+ let nextId = 30;
- ## First app tests
+ export class Hero {
+ constructor(
+ public id?: number,
+ public name?: string,
+ public power?: string,
+ public alterEgo?: string
+ ) {
+ this.id = id || nextId++;
+ }
- Believe it or not … we could start testing *some* of our app right away. For example, we can test the `Hero` class:
- ```
- let nextId = 30;
+ clone() { return Hero.clone(this); }
- export class Hero {
- constructor(
- public id?: number,
- public name?: string,
- public power?: string,
- public alterEgo?: string
- ) {
- this.id = id || nextId++;
- }
+ static clone = (h:any) => new Hero(h.id, h.name, h.alterEgo, h.power);
- clone() { return Hero.clone(this); }
+ static setNextId = (next:number) => nextId = next;
+ }
+ ```
- static clone = (h:any) => new Hero(h.id, h.name, h.alterEgo, h.power);
+ Let’s add a couple of simple tests in the `` element.
- static setNextId = (next:number) => nextId = next;
- }
- ```
+ First, we’ll load the JavaScript file that defines the `Hero` class.
- Let’s add a couple of simple tests in the `` element.
+ ```
+
+
+ ```
- First, we’ll load the JavaScript file that defines the `Hero` class.
+ Next, we’ll add an inline script element with the `Hero`tests themselves
- ```
-
-
- ```
+ ```
+
+ ```
- it('has the id given in the constructor', function() {
- var hero = new Hero(1, 'Super Cat');
- expect(hero.id).toEqual(1);
- });
+ That’s the basic Jasmine we learned back in “Jasmine 101”.
- });
-
- ```
+ Notice that we surrounded our tests with ** `describe('Hero')` **.
- That’s the basic Jasmine we learned back in “Jasmine 101”.
+ **By convention, our test always begin with a `describe` that identifies the application part under test.**
- Notice that we surrounded our tests with ** `describe('Hero')` **.
+ The description should be sufficient to identify the tested application part and its source file. Almost any convention will do as long as you and your team follow it consistently and are never confused.
- **By convention, our test always begin with a `describe` that identifies the application part under test.**
+ ## Run the tests
- The description should be sufficient to identify the tested application part and its source file. Almost any convention will do as long as you and your team follow it consistently and are never confused.
+ Open one terminal window and run the watching compiler command: `npm run tsc`
- ## Run the tests
+ Open another terminal window and run live-server: `npm test`
- Open one terminal window and run the watching compiler command: `npm run tsc`
-
- Open another terminal window and run live-server: `npm test`
-
- The browser should launch and display the two passing tests:
+ The browser should launch and display the two passing tests:
figure.image-display
- img(src='/resources/images/devguide/first-app-tests/passed-2-specs-0-failures.png' style="width:400px;" alt="Two passing tests")
+ img(src='/resources/images/devguide/first-app-tests/passed-2-specs-0-failures.png' style="width:400px;" alt="Two passing tests")
:markdown
- ## Critique
+ ## Critique
- Is this `Hero` class even worth testing? It’s essentially a property bag with almost no logic. Maybe we should have tested the cloning feature. Maybe we should have tested id generation. We didn’t bother because there wasn’t much to learn by doing that.
+ Is this `Hero` class even worth testing? It’s essentially a property bag with almost no logic. Maybe we should have tested the cloning feature. Maybe we should have tested id generation. We didn’t bother because there wasn’t much to learn by doing that.
- It’s more important to take note of the //Demo only comment in the `unit-tests.html`.
+ It’s more important to take note of the `//Demo only` comment in the `unit-tests.html`.
- ** We’ll never write real tests in the HTML this way**. It’s nice that we can write *some* of our application tests directly in the HTML. But dumping all of our tests into HTML is not sustainable and even if we didn’t mind that approach, we could only test a tiny fraction of our app this way.
+ ** We’ll never write real tests in the HTML this way**. It’s nice that we can write *some* of our application tests directly in the HTML. But dumping all of our tests into HTML is not sustainable and even if we didn’t mind that approach, we could only test a tiny fraction of our app this way.
- We need to relocate these tests to a separate file. Let’s do that next.
+ We need to relocate these tests to a separate file. Let’s do that next.
- ## Where do tests go?
+ ## Where do tests go?
- Some people like to keep their tests in a `tests` folder parallel to the application source folder.
+ Some people like to keep their tests in a `tests` folder parallel to the application source folder.
- We are not those people. We like our unit tests to be close to the source code that they test. We prefer this approach because
- - The tests are easy to find
- - We see at a glance if an application part lacks tests.
- - Nearby tests can teach us about how the part works; they express the developers intention and reveal how the developer thinks the part should behave under a variety of circumstances.
- - When we move the source (inevitable), we remember to move the test.
- - When we rename the source file (inevitable), we remember to rename the test file.
+ We are not those people. We like our unit tests to be close to the source code that they test. We prefer this approach because
+ - The tests are easy to find
+ - We see at a glance if an application part lacks tests.
+ - Nearby tests can teach us about how the part works; they express the developers intention and reveal how the developer thinks the part should behave under a variety of circumstances.
+ - When we move the source (inevitable), we remember to move the test.
+ - When we rename the source file (inevitable), we remember to rename the test file.
- We can’t think of a downside. The server doesn’t care where they are. They are easy to find and distinguish from application files when named conventionally.
+ We can’t think of a downside. The server doesn’t care where they are. They are easy to find and distinguish from application files when named conventionally.
- You may put your tests elsewhere if you wish. We’re putting ours inside the app, next to the source files that they test.
+ You may put your tests elsewhere if you wish. We’re putting ours inside the app, next to the source files that they test.
- ## First spec file
+ ## First spec file
- **Create** a new file, ** `hero.spec.ts` ** in `src/app` next to `hero.ts`.
+ **Create** a new file, ** `hero.spec.ts` ** in `src/app` next to `hero.ts`.
- Notice the “.spec” suffix in the test file’s filename, appended to the name of the file holding the application part we’re testing.
+ Notice the “.spec” suffix in the test file’s filename, appended to the name of the file holding the application part we’re testing.
-.alert.is-important All of our unit test files follow this .spec naming pattern.
+.alert.is-important All of our unit test files follow this .spec naming pattern.
:markdown
- Move the tests we just wrote in`unit-tests.html` to `hero.spec.ts` and convert them from JavaScript into TypeScript:
+ Move the tests we just wrote in`unit-tests.html` to `hero.spec.ts` and convert them from JavaScript into TypeScript:
- ```
- import {Hero} from './hero';
+ ```
+ import {Hero} from './hero';
- describe('Hero', () => {
+ describe('Hero', () => {
- it('has name given in the constructor', () => {
- let hero = new Hero(1, 'Super Cat');
- expect(hero.name).toEqual('Super Cat');
- });
+ it('has name given in the constructor', () => {
+ let hero = new Hero(1, 'Super Cat');
+ expect(hero.name).toEqual('Super Cat');
+ });
- it('has id given in the constructor', () => {
- let hero = new Hero(1, 'Super Cat');
- expect(hero.id).toEqual(1);
- });
- })
+ it('has id given in the constructor', () => {
+ let hero = new Hero(1, 'Super Cat');
+ expect(hero.id).toEqual(1);
+ });
+ })
- ```
+ ```
- **Stop and restart the TypeScript compiler**
+ ### Import the part we’re testing
-.alert.is-important While the TypeScript compiler is watching for changes to files, it doesn’t always pick up new files to compile.
+ During our conversion to TypeScript, we added an `import {Hero} from './hero' ` statement.
-:markdown
- ### Typing problems
+ If we forgot this import, a TypeScript-aware editor would warn us, with a squiggly red underline, that it can’t find the definition of the `Hero` class.
- The editor may complain that it doesn’t recognize `describe`, `beforeEach`, `it`, and `expect`. These are among the many Jasmine objects in the global namespace.
+ TypeScript doesn’t know what a `Hero` is. It doesn’t know about the script tag back in the `unit-tests.html` that loads the `hero.js` file.
- We can cure the complaints and get intellisense support by adding the Jasmine typings file:
+ ### Update unit-tests.html
- Open a new terminal window in the `src` folder and run
+ Next we update the `unit-tests.html` with a reference to our new `hero-spec.ts` file. Delete the inline test code. The revised pertinent HTML looks like this:
-pre.prettyprint.lang-bash
- code tsd reinstall jasmine --save
+
+
-:markdown
- Refresh the editor and those particular complaints should disappear
+ ## Run and Fail
- ### Import the part we’re testing
-
- During our conversion to TypeScript, we added an `import {Hero} from './hero' ` statement.
-
- If we forgot this import, a TypeScript-aware editor would warn us, with a squiggly red underline, that it can’t find the definition of the `Hero` class.
-
- TypeScript doesn’t know what a `Hero` is. It doesn’t know about the script tag back in the `unit-tests.html` that loads the `hero.js` file.
-
- ### Update unit-tests.html
-
- Next we update the `unit-tests.html` with a reference to our new `hero-spec.ts` file. Delete the inline test code. The revised pertinent HTML looks like this:
-
-
-
-
- ## Run and Fail
-
- Look over at the browser (live-server will have reloaded it). The browser displays
+ Look over at the browser (live-server will have reloaded it). The browser displays
figure.image-display
- img(src='/resources/images/devguide/first-app-tests/Jasmine-not-running-tests.png' style="width:400px;" alt="Jasmine not running any tests")
+ img(src='/resources/images/devguide/first-app-tests/Jasmine-not-running-tests.png' style="width:400px;" alt="Jasmine not running any tests")
:markdown
- That’s Jasmine saying “**things are _so_ bad that _I’m not running any tests_.**”
+ That’s Jasmine saying “**things are _so_ bad that _I’m not running any tests_.**”
- Open the browser’s Developer Tools (F12, Ctrl-Shift-i). There’s an error:
+ Open the browser’s Developer Tools (F12, Ctrl-Shift-i). There’s an error:
+ ```
+ Uncaught ReferenceError: exports is not defined
+ ```
- `Uncaught ReferenceError: exports is not defined`
+ ## Load tests with systemjs
- ## Load tests with systemjs
+ The immediate cause of the error is the `export` statement in `hero.ts`.
+ That error was there all along.
+ It wasn’t a problem until we tried to `import` the `Hero` class in our tests.
- The immediate cause of the error is the `export` statement in `hero.ts`. That error was there all along. It wasn’t a problem until we tried to `import` the `Hero` class in our tests.
+ Our test environment lacks support for module loading.
+ Apparently we can’t simply load our application and test scripts like we do with 3rd party JavaScript libraries.
- Our test environment lacks support for module loading. Apparently we can’t simply load our application and test scripts like we do with 3rd party JavaScript libraries.
+ We are committed to module loading in our application.
+ Our app will call `import`. Our tests must do so too.
- We are committed to module loading in our application. Our app will call `import`. Our tests must do so too.
+ We add module loading support in four steps:
- We add module loading support in four steps:
+ 1. add the *systemjs* module management library
+ 1. configure *systemjs* to look for JavaScript files by default
+ 1. import our test files
+ 1. tell Jasmine to run the imported tests
- 1. add the *systemjs* module management library
- 1. configure *systemjs* to look for JavaScript files by default
- 1. import our test files
- 1. tell Jasmine to run the imported tests
+ These steps are all clearly visible, in exactly that order, in the following lines that
+ replace the `` contents in `unit-tests.html`:
- These steps are all clearly visible, in exactly that order, in the following lines that
- replace the `` contents in `unit-tests.html`:
+ ```
+
+
+
- ```
-
-
-
+
+
+ ```
- // #4. wait for all imports to load ...
- // then re-execute `window.onload` which
- // triggers the Jasmine test-runner start
- // or explain what went wrong
- .then(window.onload)
- .catch(console.error.bind(console));
-
-
- ```
-
- Look in the browser window. Our tests pass once again.
+ Look in the browser window. Our tests pass once again.
figure.image-display
- img(src='/resources/images/devguide/first-app-tests/test-passed-once-again.png' style="width:400px;" alt="Tests passed once again")
+ img(src='/resources/images/devguide/first-app-tests/test-passed-once-again.png' style="width:400px;" alt="Tests passed once again")
:markdown
- ## Observations
+ ## Observations
- System.js demands that we specify a default extension for the filenames that correspond to whatever it is asked to import. Without that default, it would translate an import statement such as `import {Hero} from ‘./here’` to a request for the file named `hero`.
+ ### System.config
+ System.js demands that we specify a default extension for the filenames that correspond to whatever it is asked to import.
+ Without that default, it would translate an import statement such as `import {Hero} from ‘./here’` to a request for the file named `hero`.
+ Not `hero.js`. Just plain `hero`. Our server error with “404 - not found” because it doesn’t have a file of that name.
- Not `hero.js`. Just plain `hero`. Our server error with “404 - not found” because it doesn’t have a file of that name.
+ Once configured with a default extension of ‘js’, Systemjs requests `hero.js` which *does* exist and is promptly returned by our server.
- When configured with a default extension of ‘js’, systemjs requests `hero.js` which *does* exist and is promptly returned by our server.
+ ### Asynchronous System.import
+ The call to `System.import` shouldn’t surprise us but it’s asynchronous nature might.
+ If we ponder this for a moment, we realize that it must be asynchronous because
+ System.js may have to fetch the corresponding JavaScript file from the server.
+ Accordingly, `System.import` returns a promise and we must wait for that promise to resolve.
+ Only then can Jasmine start evaluating the imported tests.
- The call to `System.import` doesn’t surprise us. But it’s asynchronous nature might. Of course it must be asynchronous; it probably has to fetch the corresponding JavaScript file from the server.
+ ### window.onload
+ Jasmine doesn’t have a `start` method. It wires its own start to the browser window’s `load` event.
+ That makes sense if we’re loading our tests with script tags.
+ The browser raises the `load` event when it finishes loading all scripts.
- `System.import` returns a promise. We wait for that promise to resolve and only then can Jasmine start evaluating the imported tests.
+ But we’re not loading test scripts inline anymore.
+ We’re using the systemjs module loader and it won’t be done until long after the browser raised the `load` event.
+ Meanwhile, Jasmine started and ran to completion … with no tests to evaluate … before the import completed.
- Why do we call `window.onload` to start Jasmine? Jasmine doesn’t have a `start` method. It wires its own start to the browser window’s `load` event.
+ So we must wait until the import completes and only then call the window `onLoad` handler.
+ Jasmine re-starts, this time with our imported test queued up.
- That makes sense if we’re loading our tests with script tags. The browser raise the `load` event when it finishes loading all scripts.
+ ## What’s Next?
+ We are able to test a part of our application with simple Jasmine tests.
+ The part was a stand-alone class that made no mention or use of Angular.
- But we’re not loading test scripts inline anymore. We’re using the systemjs module loader and it won’t be done until long after the browser raised the `load` event. Jasmine already started and ran to completion … with no tests to evaluate … before the import completed.
+ That’s not rare but it’s not typical either. Most of our application parts make some use of the Angular framework.
- So we wait until the import completes and then pretend that the window `load` event fired again, causing Jasmine to start again, this time with our imported test queued up.
-
- ## What’s Next?
- We are able to test a part of our application with simple Jasmine tests. That part was a stand-alone class that made no mention or use of Angular.
-
- That’s not rare but it’s not typical either. Most of our application parts make some use of the Angular framework.
-
- In the next chapter, we’ll look at a class that does rely on Angular.
\ No newline at end of file
+ In the next chapter, we’ll test a class that does rely on Angular.
\ No newline at end of file
diff --git a/public/docs/ts/latest/guide/gettingStarted.jade b/public/docs/ts/latest/guide/gettingStarted.jade
deleted file mode 100644
index eaec5f96d0..0000000000
--- a/public/docs/ts/latest/guide/gettingStarted.jade
+++ /dev/null
@@ -1,458 +0,0 @@
-include ../../../../_includes/_util-fns
-
-:markdown
- Let's start from zero and build a super simple Angular 2 application in TypeScript.
-
-.callout.is-helpful
- header Don't want TypeScript?
- :markdown
- Although we're getting started in TypeScript, you can also write Angular 2 apps
- in JavaScript and Dart by selecting either of those languages from the combo-box in the banner.
-
-.l-main-section
-
- :markdown
- # The shortest, quickest ...
-
- Let's put something on the screen in Angular 2 as quickly as we can.
-
- .l-sub-section
- :markdown
- While we are about to describe steps to take on your development machine,
- you could take these same steps in an interactive, online coding environment
- such as [plunker](http://plnkr.co/ "Plunker"). You won't have to
- install a static server to run the app there.
-
- If you like what you see - and we think you will - you can repeat this
- exercise on your own machine later.
-
- :markdown
- **Create a new folder** to hold our application project, perhaps like this:
- ```
- mkdir angular2-getting-started
- cd angular2-getting-started
- ```
-
- ## Our first Angular component
-
- **Add a new file** called **`app.ts`** and paste the following lines:
-
- +makeExample('gettingstarted/ts/src/app/app.ts', null, 'app.ts')
-
- :markdown
- We've just defined an Angular 2 **component**,
- one of the most important Angular 2 features.
- Components are our primary means of creating application views
- and supporting them with application logic.
-
- Ours is an empty, do-nothing class class named `AppComponent`.
- It would expand with properties and application
- logic when we're ready to build a substantive application.
-
- Above the class we see the `@Component` decoration.
-
- .l-sub-section
- :markdown
- The `@` symbol before the method name identifies `Component` as a decoration.
- A "decoration" is a TypeScript language feature
- for creating metadata about the class. Angular finds this metadata
- in the transpiled JavaScript and responds appropriately.
- :markdown
- `@Component` tells Angular that this class *is an Angular component*.
- The configuration object passed to the `@Component` method has two
- field, a `selector` and a `template`.
-
- The `selector` specifies a CSS selector for a custom HTML element named `my-app`.
- Angular creates and displays an instance of our `AppComponent`
- wherever it encounters a `my-app` element.
-
- The `template` field is the component's companion template
- that tells Angular how to render a view.
- Our template is a single line of HTML announcing "My First Angular App".
-
- The `bootstrap` method tells Angular to start the application with this
- component at the application root.
- We'd be correct to guess that someday our application will
- consist of more components arising in tree-like fashion from this root.
-
- In the top line we imported the `Component`, `View`, and `bootstrap` methods
- from the Angular 2 library. That's the way we do things now.
- We no longer expect to find our code or any library code in a global namespace.
- We `import` exactly what we need, as we need it, from named file and library resources.
-
- ## Add `index.html`
-
- **Create** an `index.html` file.
-
- **Paste** the following lines into it ... and we'll discuss them:
-
- +makeExample('gettingstarted/ts/src/index.1.html', null, 'index.html')
-
- :markdown
- We see three noteworthy sections of HTML:
-
- 1. We load JavaScript libraries from the web.
- Let's take them on faith without further discussion.npm
, gulp
, and live-server
.
:markdown
- ## Add the Angular library
- Looking back at `unit-tests.html` we realize that we have not loaded the Angular library. Yet we were able to load and test the application’s `Hero` class.
+ ## Add the Angular library
+ Looking back at `unit-tests.html` we realize that we have not loaded the Angular library.
+ Yet we were able to load and test the application’s `Hero` class.
- **We were lucky!** The `Hero` class has no dependence on Angular. If it had depended on Angular, we’d still be staring at the Jasmine “big-time fail” screen:
+ **We were lucky!** The `Hero` class has no dependence on Angular.
+ If it had depended on Angular, we’d still be staring at the Jasmine “big-time fail” screen:
figure.image-display
- img(src='/resources/images/devguide/testing-an-angular-pipe/big-time-fail-screen.png' style="width:400px;" alt="Jasmine's' big time fail screen")
+ img(src='/resources/images/devguide/testing-an-angular-pipe/big-time-fail-screen.png'
+ style="width:400px;" alt="Jasmine's' big time fail screen")
:markdown
- If we then opened the browser’s Developer Tools (F12, Ctrl-Shift-I) and looked in the console window, we would see.
+ If we then opened the browser’s Developer Tools (F12, Ctrl-Shift-I) and looked
+ in the console window, we would see that SystemJS
+ tried to load Angular and couldn't find it.
- `GET http://127.0.0.1:8080/src/angular2/angular2 404 (Not Found)`
+ ```
+ GET http://127.0.0.1:8080/src/angular2/angular2 404 (Not Found)
+ ```
+ We are writing an Angular application afterall and
+ we were going to need Angular sooner or later. That time has come.
+ The `InitCapsPiep` clearly depends on Angular as is clear in the first few lines:
+ ```
+ import {Pipe} from 'angular2/angular2';
- It is missing indeed!
+ @Pipe({ name: 'initCaps' })
+ export class InitCapsPipe {
+ ```
+ **Open** `unit-tests.html`
- We are going to need Angular sooner or later. We are writing an Angular application and we expect to use it at some point.
+ **Find** the `src="../node_modules/systemjs/dist/system.src.js">`
- That moment has arrived! The `InitCapsPiep` clearly depends on Angular. That much is clear in the first few lines:
+ **Replace** Step #1 with these two scripts:
+ ```
+
+
+
+ ```
+ ## Add another spec file
- import {Pipe} from 'angular2/angular2';
+ **Create** an *`init-caps-pipe.spec.ts`** next to `init-caps-pipes.ts` in `src/app`
- @Pipe({ name: 'initCaps' })
- export class InitCapsPipe {
+ **Stop and restart the TypeScript compiler** to ensure we compile the new file.
- Let’s not wait for trouble. Load the Angular library now… along with its essential companion, the `traceur-runtime`.
+ **Add** the following lines of rather obvious Jasmine test code
+ ```
+ import {InitCapsPipe} from './init-caps-pipe';
- **Open** `unit-tests.html`
+ describe('InitCapsPipe', () => {
+ let pipe:InitCapsPipe;
- **Find** the `src="../node_modules/systemjs/dist/system.src.js">`
+ beforeEach(() => {
+ pipe = new InitCapsPipe();
+ });
- **Replace** Step #1 with these two scripts:
+ it('transforms "abc" to "Abc"', () => {
+ expect(pipe.transform('abc')).toEqual('Abc');
+ });
-
-
-
+ it('transforms "abc def" to "Abc Def"', () => {
+ expect(pipe.transform('abc def')).toEqual('Abc Def');
+ });
- ## Add another spec file
+ it('leaves "Abc Def" unchanged', () => {
+ expect(pipe.transform('Abc Def')).toEqual('Abc Def');
+ });
+ });
+ ```
+ Note that each test is short (one line in our case).
+ It has a clear label that accurately describes the test. And it makes exactly one expectation.
- **Create** an ** `init-caps-pipe.spec.ts` ** next to `init-caps-pipes.ts` in `src/app`
+ Anyone can read these tests and understand quickly what the test does and what the pipe does.
+ If one of the tests fails, we know which expected behavior is no longer true.
+ We’ll have little trouble maintaining these tests and adding more like them as we encounter new conditions to explore.
- **Stop and restart the TypeScript compiler** to ensure we compile the new file.
+ That’s the way we like our tests!
- **Add** the following lines of unremarkable Jasmine test code
+ ## Add this spec to `unit-tests.html`
- import {InitCapsPipe} from './init-caps-pipe';
+ Now let’s wire our new spec file into the HTML test harness.
- describe('InitCapsPipe', () => {
- let pipe:InitCapsPipe;
+ Open `unit-tests.html`. Find `System.import('app/hero.spec')`.
- beforeEach(() => {
- pipe = new InitCapsPipe();
- });
+ Hmm. We can’t just add `System.import('app/init-caps-pipe.spec')`.
- it('transforms "abc" to "Abc"', () => {
- expect(pipe.transform('abc')).toEqual('Abc');
- });
+ The first `System.import` returns a promise as does this second import.
+ We can’t run any of the Jasmine tests until **both imports are finished**.
- it('transforms "abc def" to "Abc Def"', () => {
- expect(pipe.transform('abc def')).toEqual('Abc Def');
- });
-
- it('leaves "Abc Def" unchanged', () => {
- expect(pipe.transform('Abc Def')).toEqual('Abc Def');
- });
- });
-
- Note that each test is short (one line in our case). It has a clear label that accurately describes the test. And it makes exactly one expectation.
-
- Anyone can read these tests and understand quickly what the test does and what the pipe does. If one of the tests fails, we know which expected behavior is no longer true. We’ll have little trouble maintaining these tests and adding more like them as we encounter new conditions to explore.
-
- That’s the way we like our tests!
-
- ## Add this spec to `unit-tests.html`
-
- Now let’s wire our new spec file into the HTML test harness.
-
- Open `unit-tests.html`. Find `System.import('app/hero.spec')`.
-
- Hmm. We can’t just add `System.import('app/init-caps-pipe.spec')`.
-
- The first `System.import` returns a promise as does this second import. We can’t run any of the Jasmine tests until **both imports are finished**.
-
- Fortunately, we can create a new `Promise` that wraps both import promises and waits for both to finish loading.
-
- // #3. Import the spec files explicitly
- Promise.all([
- System.import('app/hero.spec'),
- System.import('app/init-caps-pipe.spec')
- ])
-
- Try it. The browser should refresh and show
+ Fortunately, we can create a new `Promise` that wraps both import promises and waits
+ for both to finish loading.
+ ```
+ // #3. Import the spec files explicitly
+ Promise.all([
+ System.import('app/hero.spec'),
+ System.import('app/init-caps-pipe.spec')
+ ])
+ ```
+ Try it. The browser should refresh and show
figure.image-display
- img(src='/resources/images/devguide/testing-an-angular-pipe/5-specs-0-failures.png' style="width:400px;" alt="import promises 5 specs, 0 failures")
+ img(src='/resources/images/devguide/testing-an-angular-pipe/5-specs-0-failures.png'
+ style="width:400px;" alt="import promises 5 specs, 0 failures")
:markdown
- We have a pattern for adding new tests.
+ We have a pattern for adding new tests.
- In future, when we add a new spec, we add another `System.import('app/some.spec')` to the array argument passed to `Promise.all`.
+ In future, when we add a new spec, we add another `System.import('app/some.spec')` to
+ the array argument passed to `Promise.all`.
- ## What’s Next?
+ ## What’s Next?
- Now we can test parts of our application that we *load* asynchronously with system.js.
+ Now we can test parts of our application that we *load* asynchronously with system.js.
- What about testing parts that *are themselves asynchronous*?
+ What about testing parts that *are themselves asynchronous*?
- In the next chapter we’ll test a service with a public asynchronous method that fetches heroes from a remote server.
\ No newline at end of file
+ In the next chapter we’ll test a service with a public asynchronous method that fetches heroes
+ from a remote server.
\ No newline at end of file
diff --git a/public/docs/ts/latest/guide/toh-pt1.jade b/public/docs/ts/latest/guide/toh-pt1.jade
index 7d0fe49a3c..b84c28e07f 100644
--- a/public/docs/ts/latest/guide/toh-pt1.jade
+++ b/public/docs/ts/latest/guide/toh-pt1.jade
@@ -63,12 +63,12 @@ include ../../../../_includes/_util-fns
:markdown
# Once Upon a Time
- Every story starts somewhere. Our story starts where the [Getting Started chapter]('./gettingstarted') ends.
+ Every story starts somewhere. Our story starts where the [QuickStart](../quickstart) ends.
- Follow the "Getting Started" steps. They provide the prerequisites, the folder structure,
+ Follow the "QuickStart" steps. They provide the prerequisites, the folder structure,
and the core files for our Tour of Heroes.
- Copy the "Getting Started" code to a new folder and rename the folder `angular2-tour-of-heroes`.
+ Copy the "QuickStart" code to a new folder and rename the folder `angular2-tour-of-heroes`.
We should have the following structure:
code-example.
diff --git a/public/docs/ts/latest/guide/unit-testing-01.jade b/public/docs/ts/latest/guide/unit-testing-01.jade
index 26de6ec977..eab03a59d1 100644
--- a/public/docs/ts/latest/guide/unit-testing-01.jade
+++ b/public/docs/ts/latest/guide/unit-testing-01.jade
@@ -113,7 +113,12 @@ figure.image-display
.callout.is-helpful
header How to Use This Guide
- p The three Unit Testing chapters build upon each other. We recommend reading them in order. We're also assuming that you're already comfortable with basic Angular 2 concepts and the tools we introduced in Getting Started and Tour of Heroes such as npm
, gulp
, and live-server
.
+ :markdown
+ The Unit Testing chapters build upon each other. We recommend reading them in order.
+ We're also assuming that you're already comfortable with basic Angular 2 concepts and the tools
+ we introduced in the [QuickStart](../quickstart.html) and
+ the [Tour of Heroes](./toh-pt1.html) tutorial
+ such as npm
, gulp
, and live-server
.
:markdown
Let’s get started!
\ No newline at end of file
diff --git a/public/docs/ts/latest/quickstart-old.jade b/public/docs/ts/latest/quickstart-old.jade
new file mode 100644
index 0000000000..1b1625fefa
--- /dev/null
+++ b/public/docs/ts/latest/quickstart-old.jade
@@ -0,0 +1,260 @@
+.callout.is-helpful
+ header Angular is in developer preview
+ p.
+ This quickstart does not reflect the final development process for writing apps with Angular.
+ The following setup is for those who want to try out Angular while it is in developer preview.
+
+// STEP 1 - Create a project ##########################
+.l-main-section
+ h2#section-create-project 1. Create a project
+
+ p.
+ This quickstart shows how to write your Angular components in TypeScript. You could instead choose
+ another language such as Dart, ES5, or ES6.
+
+ p.
+ The goal of this quickstart is to write a component in TypeScript that prints a string.
+ We assume you have already installed Node and npm.
+
+ p.
+ To get started, create a new empty project directory. All the following commands should be run
+ from this directory.
+
+ p.
+ To get the benefits of TypeScript, we want to have the type definitions available for the compiler and the editor.
+ TypeScript type definitions are typically published in a repo called DefinitelyTyped.
+ To fetch one of the type definitions to the local directory, we use the tsd package manager.
+
+ code-example.
+ $ npm install -g tsd@^0.6.0
+ $ tsd install angular2 es6-promise rx rx-lite
+
+ p.
+ Next, create two empty files, index.html
and app.ts
, both at the root of the project:
+
+ code-example.
+ $ touch app.ts index.html
+
+// STEP 2 - Start the TypeScript compiler ##########################
+.l-main-section
+ h2#start-tsc 2. Run the TypeScript compiler
+
+ p.
+ Since the browser doesn't understand TypeScript code, we need to run a compiler to translate
+ your code to browser-compliant JavaScript as you work. This quickstart uses the TypeScript
+ compiler in --watch
mode, but it is also possible to do the translation in the browser as files
+ are loaded, or configure your editor or IDE to do it.
+
+ code-example.
+ $ npm install -g typescript@^1.5.0-beta
+ $ tsc --watch -m commonjs -t es5 --emitDecoratorMetadata app.ts
+
+.callout.is-helpful
+ p.
+ Windows users: if you get an error that an option is unknown, you are probably running
+ an older version of TypeScript.
+ See
+ Stack Overflow: How do I install Typescript
+
+// STEP 3 - Import Angular ##########################
+.l-main-section
+ h2#section-transpile 3. Import Angular
+
+ p Inside of app.ts
, import the type definitions from Angular:
+ code-example.
+ /// <reference path="typings/angular2/angular2.d.ts" />
+
+ p Now your editor should be able to complete the available imports:
+ code-example.
+ import {Component, View, bootstrap} from 'angular2/angular2';
+
+ p.
+ The above import statement uses ES6 module syntax to import three symbols from the Angular module.
+ The module will load at runtime.
+
+
+// STEP 4 - Create a component ##########################
+.l-main-section
+
+ h2#section-angular-create-account 4. Define a component
+
+ p.
+ Components structure and represent the UI. This quickstart demonstrates the process of creating a component
+ that has an HTML tag named <my-app>
.
+
+ p.
+ A component consists of two parts, the component controller
+ which is an ES6 class, and the decorators which tell Angular
+ how to place the component into the page.
+
+ code-example(language="javascript" format="linenums").
+ // Annotation section
+ @Component({
+ selector: 'my-app'
+ })
+ @View({
+ template: '<h1>Hello {{ name }}</h1>'
+ })
+ // Component controller
+ class MyAppComponent {
+ name: string;
+
+ constructor() {
+ this.name = 'Alice';
+ }
+ }
+
+ .l-sub-section
+ h3 @Component and @View annotations
+
+ p.
+ A component annotation describes details about the component. An annotation can be identified by its at-sign (@
).
+ p.
+ The @Component
annotation defines the HTML tag for the component by specifying the component's CSS selector.
+ p.
+ The @View
annotation defines the HTML that represents the component. The component you wrote uses an inline template, but you can also have an external template. To use an external template, specify a templateUrl
property and give it the path to the HTML file.
+
+ code-example(language="javascript" format="linenums").
+ @Component({
+ selector: 'my-app' // Defines the <my-app></my-app> tag
+ })
+ @View({
+ template: '<h1>Hello {{ name }}</h1>' // Defines the inline template for the component
+ })
+
+ p.
+ The annotations above specify an HTML tag of <my-app>
+ and a template of <h1>Hello {{ name }}</h1>
.
+
+ .l-sub-section
+ h3 The template and the component controller
+
+ p.
+ The component controller is the backing of the component's template. This component
+ controller uses TypeScript class
syntax.
+
+ code-example(language="javascript" format="linenums").
+ class MyAppComponent {
+ name: string;
+ constructor() {
+ this.name = 'Alice';
+ }
+ }
+
+ p.
+ Templates read from their component controllers. Templates have access to any properties
+ or functions placed on the component controller.
+
+ p.
+ The template above binds to a name
property through
+ the double-mustache syntax ({{ ... }}
).
+ The body of the constructor assigns "Alice" to the name property. When the
+ template renders, "Hello Alice" appears instead of
+ "Hello {{ name }}".
+
+
+
+// STEP 5 - Bootstrap ##########################
+.l-main-section
+ h2#section-transpile 5. Bootstrap
+
+ p.
+ At the bottom of app.ts
, call the bootstrap()
function
+ to load your new component into its page:
+
+ code-example(language="javaScript").
+ bootstrap(MyAppComponent);
+
+
+ p.
+ The bootstrap()
function takes a
+ component as a parameter, enabling the component
+ (as well as any child components it contains) to render.
+
+
+// STEP 6 - Declare the HTML ##########################
+.l-main-section
+
+ h2#section-angular-create-account 6. Declare the HTML
+
+ p.
+ Inside the head
tag of index.html
,
+ include the traceur-runtime and the Angular bundle.
+ Instantiate the my-app
component in the body
.
+
+ code-example(language="html" format="linenums").
+ <!-- index.html -->
+ <html>
+ <head>
+ <title>Angular 2 Quickstart</title>
+ <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
+ <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
+ </head>
+ <body>
+
+ <!-- The app component created in app.ts -->
+ <my-app></my-app>
+
+ </body>
+ </html>
+
+// STEP 7 - Declare the HTML ##########################
+.l-main-section
+
+ h2#section-load-component-module 7. Load the component
+
+ p.
+ The last step is to load the module for the my-app
component.
+ To do this, we'll use the System library.
+
+ .l-sub-section
+ h3 System.js
+
+ p.
+ System is a third-party open-source library that
+ adds ES6 module loading functionality to browsers.
+
+ p.
+ Add the System.js dependency in the <head>
tag, so that
+ it looks like:
+
+ code-example(language="html" format="linenums").
+ <head>
+ <title>Angular 2 Quickstart</title>
+ <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
+ <script src="https://jspm.io/system@0.16.js"></script>
+ <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
+ </head>
+
+ p.
+ Add the following module-loading code:
+
+ code-example(language="html" format="linenums").
+ <my-app></my-app>
+ <script>System.import('app');</script>
+
+
+// STEP 8 - Run a local server ##########################
+.l-main-section
+
+ h2#section-load-component-module 8. Run a local server
+
+ p Run a local HTTP server, and view index.html
.
+
+ p.
+ If you don't already have an HTTP server,
+ you can install one using npm install -g http-server
.
+ (If that results in an access error, then you might need to use
+ sudo npm ...
)
+ For example:
+
+ code-example.
+ # From the directory that contains index.html:
+ npm install -g http-server # Or sudo npm install -g http-server
+ http-server # Creates a server at localhost:8080
+ # In a browser, visit localhost:8080/index.html
+
+
+// WHAT'S NEXT... ##########################
+.l-main-section
+ h2#section-transpile Great job! We'll have the next steps out soon.
diff --git a/public/docs/ts/latest/quickstart.jade b/public/docs/ts/latest/quickstart.jade
index 1b1625fefa..331039d9b8 100644
--- a/public/docs/ts/latest/quickstart.jade
+++ b/public/docs/ts/latest/quickstart.jade
@@ -1,260 +1,459 @@
-.callout.is-helpful
- header Angular is in developer preview
- p.
- This quickstart does not reflect the final development process for writing apps with Angular.
- The following setup is for those who want to try out Angular while it is in developer preview.
+include ../../../_includes/_util-fns
-// STEP 1 - Create a project ##########################
-.l-main-section
- h2#section-create-project 1. Create a project
-
- p.
- This quickstart shows how to write your Angular components in TypeScript. You could instead choose
- another language such as Dart, ES5, or ES6.
-
- p.
- The goal of this quickstart is to write a component in TypeScript that prints a string.
- We assume you have already installed Node and npm.
-
- p.
- To get started, create a new empty project directory. All the following commands should be run
- from this directory.
-
- p.
- To get the benefits of TypeScript, we want to have the type definitions available for the compiler and the editor.
- TypeScript type definitions are typically published in a repo called DefinitelyTyped.
- To fetch one of the type definitions to the local directory, we use the tsd package manager.
-
- code-example.
- $ npm install -g tsd@^0.6.0
- $ tsd install angular2 es6-promise rx rx-lite
-
- p.
- Next, create two empty files, index.html
and app.ts
, both at the root of the project:
-
- code-example.
- $ touch app.ts index.html
-
-// STEP 2 - Start the TypeScript compiler ##########################
-.l-main-section
- h2#start-tsc 2. Run the TypeScript compiler
-
- p.
- Since the browser doesn't understand TypeScript code, we need to run a compiler to translate
- your code to browser-compliant JavaScript as you work. This quickstart uses the TypeScript
- compiler in --watch
mode, but it is also possible to do the translation in the browser as files
- are loaded, or configure your editor or IDE to do it.
-
- code-example.
- $ npm install -g typescript@^1.5.0-beta
- $ tsc --watch -m commonjs -t es5 --emitDecoratorMetadata app.ts
+:markdown
+ Let's start from zero and build a super simple Angular 2 application in TypeScript.
.callout.is-helpful
- p.
- Windows users: if you get an error that an option is unknown, you are probably running
- an older version of TypeScript.
- See
- Stack Overflow: How do I install Typescript
+ header Don't want TypeScript?
+ :markdown
+ Although we're getting started in TypeScript, you can also write Angular 2 apps
+ in JavaScript and Dart by selecting either of those languages from the combo-box in the banner.
-// STEP 3 - Import Angular ##########################
-.l-main-section
- h2#section-transpile 3. Import Angular
-
- p Inside of app.ts
, import the type definitions from Angular:
- code-example.
- /// <reference path="typings/angular2/angular2.d.ts" />
-
- p Now your editor should be able to complete the available imports:
- code-example.
- import {Component, View, bootstrap} from 'angular2/angular2';
-
- p.
- The above import statement uses ES6 module syntax to import three symbols from the Angular module.
- The module will load at runtime.
-
-
-// STEP 4 - Create a component ##########################
.l-main-section
- h2#section-angular-create-account 4. Define a component
+ :markdown
+ # The shortest, quickest ...
- p.
- Components structure and represent the UI. This quickstart demonstrates the process of creating a component
- that has an HTML tag named <my-app>
.
-
- p.
- A component consists of two parts, the component controller
- which is an ES6 class, and the decorators which tell Angular
- how to place the component into the page.
-
- code-example(language="javascript" format="linenums").
- // Annotation section
- @Component({
- selector: 'my-app'
- })
- @View({
- template: '<h1>Hello {{ name }}</h1>'
- })
- // Component controller
- class MyAppComponent {
- name: string;
-
- constructor() {
- this.name = 'Alice';
- }
- }
+ Let's put something on the screen in Angular 2 as quickly as we can.
.l-sub-section
- h3 @Component and @View annotations
+ :markdown
+ While we are about to describe steps to take on your development machine,
+ you could take these same steps in an interactive, online coding environment
+ such as [plunker](http://plnkr.co/ "Plunker"). You won't have to
+ install a static server to run the app there.
- p.
- A component annotation describes details about the component. An annotation can be identified by its at-sign (@
).
- p.
- The @Component
annotation defines the HTML tag for the component by specifying the component's CSS selector.
- p.
- The @View
annotation defines the HTML that represents the component. The component you wrote uses an inline template, but you can also have an external template. To use an external template, specify a templateUrl
property and give it the path to the HTML file.
+ If you like what you see - and we think you will - you can repeat this
+ exercise on your own machine later.
- code-example(language="javascript" format="linenums").
- @Component({
- selector: 'my-app' // Defines the <my-app></my-app> tag
- })
- @View({
- template: '<h1>Hello {{ name }}</h1>' // Defines the inline template for the component
- })
+ :markdown
+ **Create a new folder** to hold our application project, perhaps like this:
+ ```
+ mkdir angular2-getting-started
+ cd angular2-getting-started
+ ```
- p.
- The annotations above specify an HTML tag of <my-app>
- and a template of <h1>Hello {{ name }}</h1>
.
+ ## Our first Angular component
+
+ **Add a new file** called **`app.ts`** and paste the following lines:
+
+ +makeExample('gettingstarted/ts/src/app/app.ts', null, 'app.ts')
+
+ :markdown
+ We've just defined an Angular 2 **component**,
+ one of the most important Angular 2 features.
+ Components are our primary means of creating application views
+ and supporting them with application logic.
+
+ Ours is an empty, do-nothing class class named `AppComponent`.
+ It would expand with properties and application
+ logic when we're ready to build a substantive application.
+
+ Above the class we see the `@Component` decoration.
.l-sub-section
- h3 The template and the component controller
+ :markdown
+ The `@` symbol before the method name identifies `Component` as a decoration.
+ A "decoration" is a TypeScript language feature
+ for creating metadata about the class. Angular finds this metadata
+ in the transpiled JavaScript and responds appropriately.
+ :markdown
+ `@Component` tells Angular that this class *is an Angular component*.
+ The configuration object passed to the `@Component` method has two
+ field, a `selector` and a `template`.
- p.
- The component controller is the backing of the component's template. This component
- controller uses TypeScript class
syntax.
+ The `selector` specifies a CSS selector for a host HTML element named `my-app`.
+ Angular creates and displays an instance of our `AppComponent`
+ wherever it encounters a `my-app` element.
- code-example(language="javascript" format="linenums").
- class MyAppComponent {
- name: string;
- constructor() {
- this.name = 'Alice';
- }
- }
+ The `template` field is the component's companion template
+ that tells Angular how to render a view.
+ Our template is a single line of HTML announcing "My First Angular App".
- p.
- Templates read from their component controllers. Templates have access to any properties
- or functions placed on the component controller.
+ The `bootstrap` method tells Angular to start the application with this
+ component at the application root.
+ We'd be correct to guess that someday our application will
+ consist of more components arising in tree-like fashion from this root.
- p.
- The template above binds to a name
property through
- the double-mustache syntax ({{ ... }}
).
- The body of the constructor assigns "Alice" to the name property. When the
- template renders, "Hello Alice" appears instead of
- "Hello {{ name }}".
+ In the top line we imported the `Component`, `View`, and `bootstrap` methods
+ from the Angular 2 library. That's the way we do things now.
+ We no longer expect to find our code or any library code in a global namespace.
+ We `import` exactly what we need, as we need it, from named file and library resources.
+ ## Add `index.html`
+ **Create** an `index.html` file.
-// STEP 5 - Bootstrap ##########################
-.l-main-section
- h2#section-transpile 5. Bootstrap
+ **Paste** the following lines into it ... and we'll discuss them:
- p.
- At the bottom of app.ts
, call the bootstrap()
function
- to load your new component into its page:
+ +makeExample('gettingstarted/ts/src/index.1.html', null, 'index.html')
- code-example(language="javaScript").
- bootstrap(MyAppComponent);
+ :markdown
+ We see three noteworthy sections of HTML:
+ 1. We load JavaScript libraries from the web.
+ Let's take them on faith without further discussion.bootstrap()
function takes a
- component as a parameter, enabling the component
- (as well as any child components it contains) to render.
+ 2. We configure something called `System` and ask it to import the
+ application file with our `AppComponent` that we just wrote.
+ `System` is the module loader (from the `system.js` library),
+ a tool that can `import` code;
+ remember the `import` statement in our `AppComponent`?
+ We're also asking `system.js` to "transpile" (AKA "compile") our
+ TypeScript source code into JavaScript ... right here in the browser.head
tag of index.html
,
- include the traceur-runtime and the Angular bundle.
- Instantiate the my-app
component in the body
.
-
- code-example(language="html" format="linenums").
- <!-- index.html -->
- <html>
- <head>
- <title>Angular 2 Quickstart</title>
- <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
- <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
- </head>
- <body>
-
- <!-- The app component created in app.ts -->
- <my-app></my-app>
-
- </body>
- </html>
-
-// STEP 7 - Declare the HTML ##########################
-.l-main-section
-
- h2#section-load-component-module 7. Load the component
-
- p.
- The last step is to load the module for the my-app
component.
- To do this, we'll use the System library.
+ We need a static file server to serve our application to the browser.
.l-sub-section
- h3 System.js
+ :markdown
+ Don't have a static file server handy? Let's install one of our favorites
+ called [live-server](https://www.npmjs.com/package/live-server "Live-server")
+ with the **npm package manager**.
+
+ Don't have npm?
+ [Get it now](https://docs.npmjs.com/getting-started/installing-node "Installing Node.js and updating npm")
+ because we're going to use it now and repeatedly throughout this documentation.
- p.
- System is a third-party open-source library that
- adds ES6 module loading functionality to browsers.
+ Once you have `npm` installed, open a terminal window and enter
- p.
- Add the System.js dependency in the <head>
tag, so that
- it looks like:
+ pre.prettyprint.lang-bash
+ code npm install -g live-server
- code-example(language="html" format="linenums").
- <head>
- <title>Angular 2 Quickstart</title>
- <script src="https://github.jspm.io/jmcriffey/bower-traceur-runtime@0.0.87/traceur-runtime.js"></script>
- <script src="https://jspm.io/system@0.16.js"></script>
- <script src="https://code.angularjs.org/2.0.0-alpha.28/angular2.dev.js"></script>
- </head>
+ :markdown
+ Open a terminal window and enter
- p.
- Add the following module-loading code:
+ pre.prettyprint.lang-bash
+ code live-server
+ :markdown
+ In a few moments, a browser tab should open and display
- code-example(language="html" format="linenums").
- <my-app></my-app>
- <script>System.import('app');</script>
+ figure.image-display
+ img(src='/resources/images/devguide/getting-started/my-first-app.png' alt="Output of getting started app")
+ :markdown
+ Congratulations! We are in business.
-// STEP 8 - Run a local server ##########################
.l-main-section
- h2#section-load-component-module 8. Run a local server
+ :markdown
+ ## What's wrong with this?
- p Run a local HTTP server, and view index.html
.
+ We were up and running in a hurry and we could explore Angular
+ in this manner for quite some time.
- p.
- If you don't already have an HTTP server,
- you can install one using npm install -g http-server
.
- (If that results in an access error, then you might need to use
- sudo npm ...
)
- For example:
+ For a number of reasons this isn't a good approach for building an application.
+
- code-example.
- # From the directory that contains index.html:
- npm install -g http-server # Or sudo npm install -g http-server
- http-server # Creates a server at localhost:8080
- # In a browser, visit localhost:8080/index.html
+ * Transpiling TypeScript in the browser becomes tediously slow when our
+ app grows beyond a few files. We certainly won't do that in production. We should learn to
+ compile locally and push the generated JavaScript to the server. We'll need some tools for that.
-// WHAT'S NEXT... ##########################
+ * Downloading JavaScript libraries from the web is OK for demos but
+ it slows our development. Every time our app reloads, it must refetch these libraries.
+ Don't count on browser caching.
+ Our debugging and live-reload techniques will bust the browser cache. Loading libraries
+ from the web also prevents us from developing our application offline or where connectivity is
+ poor. Let's learn to download the libraries to our machine and serve them locally.
+
+
+ * We want our development cycle to be as fast and friction-free as possible.
+ When we change our code, we want to see the results in the browser immediately.
+ We have tools and procedures for that.
+
.l-main-section
- h2#section-transpile Great job! We'll have the next steps out soon.
+
+ :markdown
+ # Upping our game
+ Let's take a few more steps to put our development on a better foundation. We will
+
+ 1. Revise the application project structure for future growth
+ 1. Install a few tools and packages
+ 1. Revise the **`index.html`** to use local library resources
+ 1. Compile the TypeScript locally and watch for changes
+
+ Shut down the `live-server` running in the terminal window (Ctrl-C) and proceed as follows.
+
+.l-main-section
+ :markdown
+ ## Revise the application project structure
+
+ At the moment we're dumping everything into the "angular2-getting-started" **root folder**.
+ Not bad when there are only two files. Not good as our application evolves.
+
+ Let's give our project a little structure.
+
+ We'll add a sub-folder - `src` - to hold project source code and a sub-sub-folder - `src/app` -
+ to hold the application source code.
+
+ In OS/X and Linux:
+
+ pre.prettyprint.lang-bash
+ code mkdir src/app
+
+ :markdown
+ In Windows:
+
+ pre.prettyprint.lang-bash
+ code mkdir src\app
+
+ :markdown
+ **Move `index.html`** into the **`src`** folder.
+
+ **Move `app.ts`** into the **`src/app`** folder.
+
+ Our project folders should look like this.
+ ```
+ angular2-getting-started
+ └── src
+ ├── app
+ │ └── app.ts
+ └── index.html
+ ```
+
+.l-main-section
+
+ :markdown
+ ## Install npm packages locally
+
+ We'll replace the web-based scripts in our `index.html` with
+ scripts resident on our local machine.
+ We get those scripts by installing two runtime `npm` packages into our project.
+
+ >**angular2** - the Angular 2 library.
+
+ >**systemjs** - an open-source library that provides module loading.
+
+ We'll also install two development tools:
+
+ >**typescript** - the TypeScript compiler
+
+ >**[live-server](https://www.npmjs.com/package/live-server "Live-server")** - the static file server that reloads the browser when files change.
+ We may have loaded it earlier. We're doing it again
+ locally in our project so we are no longer vulnerable to
+ a global uninstall or version change.
+
+ **Open** a terminal window at our application's **root folder**
+
+ Enter these commands:
+ ```
+ npm init -y
+ npm i angular2@2.0.0-alpha.42 systemjs@0.19.2 --save --save-exact
+ npm i typescript live-server --save-dev
+ ```
+
+ These commands both *install* the packages and *create* an npm `package.json` that will
+ help us develop and maintain our application in future.
+ The essence of our `package.json` should look like this:
+
+ +makeJson('gettingstarted/ts/package.json', { paths: 'name, version, dependencies, devDependencies'})
+
+ :markdown
+ There is also a `scripts` section. **Find and replace** it with the following:
+
+ +makeJson('gettingstarted/ts/package.json', { paths: 'scripts'})
+
+ :markdown
+ We've just extended our project world with script commands
+ that we'll be running very soon.
+
+.l-main-section
+ :markdown
+ ## Update `index.html`
+
+ **Replace** the library scripts section with references to
+ scripts in the packages we just installed.
+
+ +makeExample('gettingstarted/ts/src/index.html', 'libraries')
+
+ :markdown
+ **Update** the `System` configuration script as follows.
+
+ +makeExample('gettingstarted/ts/src/index.html', 'systemjs')
+
+ .l-sub-section
+ :markdown
+ We won't be transpiling TypeScript in the browser anymore.
+ We'll do that on our machine and ship the generated JavaScript
+ files to the server.
+
+ We have to re-configure `system.js` to expect JavaScript files
+ with a `.js` extension by default.
+ Someday we might add a `Foo` class to our application in a `foo.ts`
+ file and import it like this
+
+ pre.prettyprint.lang-bash
+ code import {Foo} from './app/foo'
+ :markdown
+ `system.js`will know to look for a file named `foo.js` in the `src/app` folder.
+
+ That's exactly what we're doing in the last line. We're
+ importing our main application file `app` (the generated `app.js` to be precise)
+ from the `src/app/` folder (we moved it there, remember?)
+ :markdown
+ Here's the final version
+
+ +makeExample('gettingstarted/ts/src/index.html', null, 'index.html')
+
+.l-main-section
+ :markdown
+ ## Prepare for TypeScript Compilation
+
+ ### Add the TypeScript configuration file
+
+ We'll add a configuration file named **`tsconfig.json`**
+ to tell the editor how to interpret our TypeScript code and
+ to simplify the TypeScript compilation command that we'll run very soon.
+
+ **Change to the `src` folder and create a `tsconfig.json`** file with the following content:
+ +makeJson('gettingstarted/ts/src/tsconfig.json', null, 'tsconfig.json')
+
+ .alert.is-helpful
+ :markdown
+ See the [TypeScript configuration appendix](#tsconfig) to learn more about
+ this file and these settings.
+
+.l-main-section
+ :markdown
+ ## Final structure
+ Our final project folder structure should look like this:
+ ```
+ angular2-getting-started
+ ├── node_modules
+ ├── src
+ │ ├── app
+ | │ └── app.ts
+ │ ├── index.html
+ │ └── tsconfig.json
+ └── package.json
+ ```
+
+.l-main-section
+ :markdown
+ ## Compile the TypeScript to JavaScript
+
+ We no longer transpile TypeScript to JavaScript in the browser.
+ We run the **T**ype**S**cript **C**ompiler (TSC) on our machine instead.
+
+ Open a terminal window in the **root of the application folder** and enter:
+
+ pre.prettyprint.lang-bash
+ code npm run tsc
+
+ :markdown
+ When it's done we should find the generated *app.js* file in the *src* folder and also an *app.map.js* file that
+ helps debuggers navigate between the JavaScript and the TypeScript source.
+
+ Our script set the compiler watch option (`-w`) so the
+ compiler stays alive when it's finished.
+ It watches for changes to our **`.ts`** files
+ and recompiles them automatically.
+
+ Leave this command running in the terminal window.
+ You can stop it anytime with `Ctrl-C`.
+
+.l-main-section
+ :markdown
+ ## Run the app!
+
+ Now we are ready to see our app in action.
+
+ Open another terminal window in the **root of the application folder** and
+ launch `live-server` again although this time we'll do it with
+ one of our `npm` script commands:
+
+ pre.prettyprint.lang-bash
+ code npm start
+
+ :markdown
+ **live-server** loads the browser for us, serves the HTML and JavaScript files,
+ and displays our application message once more:
+
+ figure.image-display
+ img(src='/resources/images/devguide/getting-started/my-first-app.png' alt="Output of getting started app")
+
+ :markdown
+ ### Make some changes
+ **`live-server`** detects changes to our files and refreshes the browser page for us automatically.
+
+ Try changing the message to "My SECOND Angular 2 app".
+
+ The TypeScript compiler in the first terminal window is watching our source code. It recompiles and produces
+ the revised *app.js*. The `live-server` sees that change and reloads the browser.
+
+ Keep `live-server` running in this terminal window. You can stop it anytime with `Ctrl-C`.
+
+.l-main-section
+ :markdown
+ ## What have we done?
+ Our first application doesn't do much. It's basically "Hello, World" for Angular 2.
+
+ We kept it simple in our first pass: we wrote a little Angular component,
+ we added some JavaScript libraries to `index.html`, and launched with a
+ static file server. That's about all we'd expect to do for a "Hello, World" app.
+
+ **We have greater ambitions.**
+
+ We won't ask Angular to build "Hello, World".
+ We are asking it to help us build sophisticated applications with sophisticated requirements.
+
+ So we made some strategic technology investments to reach our larger goals
+
+ * our application loads faster with libraries installed locally and
+ we can develop offline if we wish.
+
+ * we're pre-compiling our TypeScript.
+
+ * we're running the compiler and live-server with commands that give us immediate feedback as we make changes.
+
+ The good news is that the overhead of setup is (mostly) behind us.
+ We're about to build a small application that demonstrates the great things
+ we can build with Angular 2.
+
+
+
+
+
+.l-main-section
+ :markdown
+
+ ### Appendix: TypeScript configuration
+ We added a TypeScript configuration file (`tsconfig.js`) to our project to
+ guide the compiler as it generates JavaScript files.
+ Get details about `tsconfig.js` from the official
+ [TypeScript wiki](https://github.com/Microsoft/TypeScript/wiki/tsconfig.json).
+
+ We'd like a moment to discuss the `noImplicitAny` flag.
+ TypeScript developers disagree about whether it should be `true` or `false`.
+ There is no correct answer and we can change the flag later.
+ But our choice now can make a difference in larger projects so it merits
+ discussion.
+
+ When the `noImplicitAny` flag is `false`,
+ the compiler silently defaults the type of a variable to `any` if it cannot infer
+ the type based on how the variable is used. That's what we mean by "implicitly `any`".
+
+ When the `noImplicitAny` flag is `true` and the TypeScript compiler cannot infer
+ the type, it still generates the JavaScript files but
+ it also reports an error.
+
+ For this project and the other examples in this Developer Guide
+ we set the `noImplicitAny` flag to `false`.
+ Developers who prefer stricter type checking should set the `noImplicitAny` flag to `true`.
+ We can still set a variable's type to `any` if
+ that seems like the best choice. We'd be doing so explicitly after
+ giving the matter some thought.
+
+ If we set the `noImplicitAny` flag to `true`, we may get implicit index errors as well.
+ If we feel these are more annoying than helpful,
+ we can suppress them with the following additional flag.
+ ```
+ "suppressImplicitAnyIndexErrors":true
+ ```