2.2.1 • Published 8 years ago

acq-ng-metadata v2.2.1

Weekly downloads
6
License
MIT
Repository
github
Last release
8 years ago

ng-metadata

Angular 2 decorators for Angular 1.x

someone on the Internet:

The best Angular 1 yet! Back-ports almost all Angular 2 API to Angular 1, woot!

Build Status Dependencies Status devDependency Status npm GitHub license

ng-metadata this is a viable solution for people, who want to gradually update existing ng1 codebase to Typescript/ES2015 using Angular 2 conventions and styles that runs today on Angular 1.4+.

Upgrading your codebase is really easy and highly flexible, you can apply 3 strategies:

  • per file upgrade with registration via angular.module
  • per file upgrade with registration on root app component @Component metadata via providers/directive/pipes
  • hybrid approach where you can combine both types

Advantages of ng-metadata:

  • clean Angular 2 DI with Angular 1
  • write your apps in Angular 2 style today and be more productive!
  • removes the overhead of Angular 1 API's like link function, $scope, $element and what not and other strange angular 1 api syntax
  • no abstractions, just pure Angular 1.x under the hood and power of ES.next decorators
  • leads you, to to write clean and component driven code without complicated DDO definition APIs
  • "forces" you think about your app as a component tree and in Angular 2 terms

Behind the scenes it uses ES.next decorators extended by Typescript( which adds method parameter decorators etc...)

parameter decorators are now at stage-0 in TC39, so probably it will be soon available in Babel so you can use all this goodness with ES2015 if you prefer pure JS

Quick start

Learn

The Gist

So what's the difference between old school ES5 angular 1 app and ngMetadata modern app?

I'm glad you've asked! Here is a small comparison app:

Angular 1.x with ES5:

// main.js
angular.element(document).ready(function(){
  angular.bootstrap(document,['hero']);
});

// hero.js
angular.module('hero',[]);

// hero.service.js
angular.module('hero')
  .service('heroSvc', HeroService);
 
HeroService.$inject = ['$http']; 
function HeroService($http){ this.$http = $http; }
HeroService.prototype.fetchAll = function(){
  return this.$http.get('/api/heroes');
}

// hero.component.js
angular.module('hero')
  .directive('hero',heroCmp);

function heroCmp(){
  return {
    scope: {},
    bindToController: {
      name: '=',
      onCall: '&'
    },
    controller: HeroController,
    controllerAs: '$ctrl',
    link: function(scope,element,attrs,ctrl){
      ctrl.init();
    },
    transclude: true,
    templateUrl: 'hero.html'
  };
}

HeroController.$inject = ['log','heroSvc'];
function HeroController($log, heroSvc){
  this.init = function(){ /* your init logic */ };
}

ngMetadata and Typescript:

// main.ts
import { bootstrap } from 'ng-metadata/platform';
import { AppComponent } from './app.component';

bootstrap( AppComponent );


// app.component.ts
import { Component } from 'ng-metadata/core';
import { HeroComponent } from './hero.component';
import { HeroService } from './hero.service';

@Component({
  selector: 'my-app',
  template: `<hero [name]="$ctrl.name" (call)="$ctrl.onCall($event)"></hero>`,
  directives: [HeroComponent],
  providers: [HeroService]
})
export class AppComponent{ 
  name = 'Martin';
  onCall(){ /*...*/ }
}
  
// hero.service.ts
import { Injectable, Inject } from 'ng-metadata/core';   

@Injectable()
export class HeroService {
  constructor(@Inject('$http') private $http: ng.IHttpService){}
  fetchAll(){
      return this.$http.get('/api/heroes');
  }
}
  
// hero.component.ts
import { Component, Inject, Input, Output, EventEmitter, OnInit } from 'ng-metadata/core';
import { HeroService } from './hero.service';

@Component({
  selector: 'hero',
  moduleId: module.id,
  templateUrl: './hero.component.html',
  legacy:{ transclude: true }
})
export class HeroComponent implements OnInit {

  // one way binding determined by parent template
  @Input() name: string;
  @Output() call = new EventEmitter<void>();

  constructor(
    // we need to inject via @Inject because angular 1 doesn't give us proper types
    @Inject('$log') private $log: ng.ILogService,
    // here we are injecting by Type which is possible thanks to reflect-metadata and Typescript and because our service
    // is defined as a class
    private heroSvc: HeroService
  ){}
  
  ngOnInit(){ /* your init logic */ }
  
}

Installation

Prerequisite: Node.js

Verify that you are running at least node v5.x.x and npm 3.x.x by running node -v and npm -v in a terminal/console window. Older versions may produce errors.

Dependencies

Angular applications with ng-metadata depend upon features and functionality provided by a variety of third-party packages (including ng-metadata itself). These packages are maintained and installed with the Node Package Manager (npm).

All those dependencies will be stored in package.json.

There are three package categories in the dependencies section of the application package.json:

  • Features - Feature packages provide our application with framework and utility capabilities.

  • Polyfills - Polyfills plug gaps in the browser's JavaScript implementation.

  • Other - Other libraries that support the application such as bootstrap for HTML widgets and styling etc...

Feature Packages

angular - There will be no life without Angular, right? :D

angular-mocks - You are testing your code right? right?

ng-metadata - Critical runtime parts of ng-metadata needed by every application. Includes all metadata decorators, Component, Directive, dependency injection, and the component lifecycle hooks. Includes 4 modules:

Install core dependencies by running:

npm i --save angular angular-mocks ng-metadata

Polyfill Packages

ng-metadata requires certain polyfills in the application environment. We install these polyfills with very specific npm packages that ng-metadata lists in the peerDependencies section of its package.json.

Install peer dependencies by running:

npm i --save reflect-metadata core-js rxjs@5.0.0-beta.11

core-js - monkey patches the global context (window) with essential features of ES2015 (ES6). Developers may substitute an alternative polyfill that provides the same core APIs. This dependency should go away once these APIs are implemented by all supported ever-green browsers.

reflect-metadata - a dependency shared between ng-metadata and the TypeScript compiler. Developers should be able to update a TypeScript package without upgrading ng-metadata, which is why this is a dependency of the application and not a dependency of ng-metadata.

rxjs - a polyfill for the Observables specification currently before the TC39 committee that determines standards for the JavaScript language. Developers should be able to pick a preferred version of rxjs (within a compatible version range) without waiting for ng-metadata updates.

Configure your project

TypeScript is a primary language for Angular application development with ng-metadata.

Browsers can't execute TypeScript directly. It has to be "transpiled" into JavaScript with the tsc compiler and that effort requires some configuration.

We need 3 things:

  • tsconfig.json - TypeScript compiler configuration.
  • typings - TypesScript declaration files.
  • module loader/bundler - ES2015 modules are not natively in the browser so we need a tool for that

tsconfig.json

TypeScript compiler configuration

We typically add a TypeScript configuration file (tsconfig.json) to our project to guide the compiler as it generates JavaScript files.

{
  "compilerOptions": {
    "target": "es5",
    "module": "commonjs",
    "moduleResolution": "node",
    "sourceMap": true,
    "experimentalDecorators": true,
    "emitDecoratorMetadata": true,
    "removeComments": false,
    "noImplicitAny": false
  }
}
  • module - you can use arbitrary module compilation type, depends on your module bundler, we prefer commonjs with webpack

TypeScript Typings

TypesScript declaration files.

Many JavaScript libraries such as jQuery, the Jasmine testing library, and Angular itself, extend the JavaScript environment with features and syntax that the TypeScript compiler doesn't recognize natively. When the compiler doesn't recognize something, it throws an error.

We use TypeScript type definition files — d.ts files — to tell the compiler about the libraries we load.

Many libraries include their definition files in their npm packages where both the TypeScript compiler and editors can find them. ng-metadata is one such library.

For getting type definitions, we need to install a type definition manager tool, called typings:

npm i --save-dev typings

Let's also add run scripts for the the typings tool to package.json:

{
  "scripts": {
    "typings": "typings",
    "postinstall": "typings install"
  }
}
  • postinstall: will run after npm install, so we can be sure that we got all type definitions installed

Now we can install type definitions for our project, which will references will be saved to typings.json and saved to /typings folder

  • npm run typings install dt~core-js -- --save --global // core-js's ES2015/ES6 shim which monkey patches the global context (window) with essential features of ES2015 (ES6)
  • npm run typings install dt~node -- --save --global // for code that references objects in the nodejs environment
  • npm run typings install dt~jquery -- --save --global // we need this to have proper typing support for angular jqLite
  • npm run typings install dt~angular -- --save --global // angular 1 type definitions, so you get Angular 1 API type checking
  • npm run typings install dt~angular-mocks -- --save --global // typings support for unit tests

Module loader / bundler

We prefer webpack but you can also go with SystemJS, which reminds me of RequireJS configuration hell, but yeah it's up to you ;)

That's it! You are good to go!

Why

There is already an existing project, which gives us Angular 2 like syntax for Angular 1, ng-forward

While I respect all the hard work of the ng-forward team, there were things that I didn't like about their solution.

Anyway that project (ngForward) is unmaintained with old/wrong angular 2 API's and isn't production ready at all.

  • it tries to mirror angular 2 with lots of under the hood abstractions which is just not feasible because there are major differences, how things work in ng1 an ng2
  • it tries to do a lot unnecessary work, which was never finished ( support ES5/ES6 like angular 2 does )
  • doesn't provides angular 2 like DI via constructor parameters because babel just won't support parameter decorators
  • forces you to rewrite templates, so you can't be just 100% sure that your code will work as before

although we started a discussion about collaboration I just don't think after further analysis, that we can merge our project one way or another.'

so those are just few reasons why I made ng-metadata.

ng-metadata:

  • can be used as part of an upgrade strategy, which may also include ng-upgrade, when migrating to Angular 2
  • uses only pure angular 1 API under the hood
  • templates are the same as in angular 1 + optionally binding type determined by template ( ng2 like )
  • supports all kind of angular 1 api like creating providers/configuration/runBlocks and much more

Support

Need Help?

Jump into the ngParty Slack team to join the discussion...

Think You Found a Bug?

First check the issues list to see if someone else has already found it and there's an ongoing discussion. If not, submit an issue. Thanks!

Contributing to the Project

We want help! Please take a look at the Contribution Guide for guidelines and jump in the Slack team to discuss how you can help: http://ngparty.slack.com... if you aren't a member just join us ngParty slack