Giter Club home page Giter Club logo

frameworks-code-comparison's Introduction

Frameworks code comparison

./assets/logos/angular.svg ./assets/logos/react.svg ./assets/logos/vue.svg

Comparison of different approaches in writing web applications. Based on React, Angular, AngularJS and Vue.js. Useful when migrating between frameworks or switching projects often.

All examples follow the current best practices and conventions inside the given framework community. Angular code is written in TypeScript.

⚠️ Work in progress ⚠️

❗ PRs and Feedback are welcome ❗

Note regarding framework naming:

  • AngularJS refers to Angular v1.x
  • Angular refers to Angular v2+

See: http://angularjs.blogspot.com/2017/01/branding-guidelines-for-angular-and.html

Table of contents

Simple component

AngularJS

import angular from 'angular';
import template from './changePassword.html';
import './changePassword.scss';

class ChangePasswordController {
    constructor($log, Auth, Notification) {
        'ngInject';

        this.$log = $log;
        this.Auth = Auth;
        this.Notification = Notification;
    }

    $onInit() {
        this.password = '';
    }

    changePassword() {
        this.Auth.changePassword(this.password).then(() => {
            this.Notification.info('Password has been changed successfully.');
        }).catch(error => {
            this.$log.error(error);
            this.Notification.error('There was an error. Please try again.');
        });
    }
}

// Object describing the component
const component = {
    bindings: {},
    template,
    controller: ChangePasswordController,
};

// Initialize the component in Angular's module
const module = angular.module('app.changePassword', [])
.component('changePassword', component);

Angular

import { Component } from '@angular/core';
import { Logger } from 'services/logger';
import { Auth } from 'services/auth';
import { Notification } from 'services/notification';

@Component({
    selector: 'change-password',
    templateUrl: './ChangePassword.component.html',
    styleUrls: ['./ChangePassword.component.scss'],
})
export class ChangePasswordComponent {
    password: string = '';

    constructor(
        private logger: Logger,
        private auth: Auth,
        private notification: Notification,
    ) {}

    changePassword() {
        this.auth.changePassword(this.password).subscribe(() => {
          this.notification.info('Password has been changes successfully');
        }).catch(error => {
          this.logger.error(error);
          this.notification.error('There was an error. Please try again');
        });
    }
}

Every component has to be declared inside a module, in order to be used within this module's other components.

import { NgModule } from '@angular/core';
import { CommonModule } from '@angular/common';

import { ChangePasswordComponent } from './change-password.component';

@NgModule({
  imports: [CommonModule],
  declarations: [ChangePasswordComponent],
})
export class ChangePasswordModule {}

React

import Logger from 'utils/logger'
import Notification from 'utils/notification'
import Auth from 'actions/auth'

class ChangePassword {
  state = {
    password: ''
  };

  changePassword() {
    Auth.changePassword(this.state,password).then(() => {
      Notification.info('Password has been changed successfully.');
    }).catch(error => {
      Logger.error(error);
      Notification.error('There was an error. Please try again.');
    });
  }

  render() {
    return <div>{ /* template */ }</div>;
  }
});

Vue.js

import Vue from 'vue';
import Logger from 'utils/logger';
import Notification from 'utils/notification';
import Auth from 'actions/auth';

Vue.component('change-password', {
  template: '<div>{{ /* template */ }}</div>'
  data() {
      return {
        password: ''
      };
  },
  methods: {
      changePassword() {
          Auth.changePassword(this.state,password).then(() => {
                Notification.info('Password has been changed successfully.');
              }).catch(error => {
                Logger.error(error);
                Notification.error('There was an error. Please try again.');
              });
      }
  }
});

Default inputs

AngularJS

There's no built-in mechanism for default inputs, so we assign them programatically in the $onChanges hook.

class CoursesListController {
    $onChanges(bindings) {
        if (typeof bindings.displayPurchased.currentValue === 'undefined') {
            this.displayPurchased = true;
        }
        if (typeof bindings.displayAvailable.currentValue === 'undefined') {
            this.displayAvailable = true;
        }
    }
}

const component = {
    bindings: {
        displayPurchased: '<',
        displayAvailable: '<',
    },
    templateUrl: './coursesList.component.html',
    controller: CoursesListController,
};

Angular

import { Component } from '@angular/core';

@Component({
    selector: 'courses-list',
    templateUrl: './coursesList.component.html',
})
export class CoursesListController {
  displayPurchased: boolean = true;
  displayAvailable: boolean = true;
}

React

class CoursesListController {
    static propTypes = {
        displayPurchased: PropTypes.bool,
        displayAvailable: PropTypes.bool,
    };

    static defaultProps = {
        displayPurchased: true,
        displayAvailable: true,
    };

    render() {
        return <div>{ /* template */ }</div>;
    }
}

➡️ https://reactjs.org/docs/typechecking-with-proptypes.html#default-prop-values

Vue.js

import Vue from 'vue';

Vue.component('courses-list', {
    template: '<div>{{ /* template */ }}</div>',
    props: {
        displayPurchased: {
            type: Boolean,
            default: true
        },
        displayAvailable: {
            type: Boolean,
            default: true
        }
    }
});

Dependency injection

AngularJS

Constructor is used to inject dependencies, what is done implicitly by the $inject service.

'ngInject' annotation has been used which allows automatic method annotation by the ng-annotate plugin (e.g. ng-annotate-loader for Webpack). That's essentially needed to counter minification problems.

class ChangePasswordController {
  constructor($log, Auth, Notification) {
    'ngInject';

    this.$log = $log;
    this.Auth = Auth;
    this.Notification = Notification;
  }

  handleEvent() {
    this.Notification.info('Event handled successfully');
  }
}

Angular

You specify the definition of the dependencies in the constructor (leveraging TypeScript's constructor syntax for declaring parameters and properties simultaneously).

import { Component } from '@angular/core';
import { Notification } from 'services/notification';

@Component({
    selector: 'change-password',
    templateUrl: './ChangePassword.component.html',
})
export class ChangePasswordComponent {
    constructor(
        private logger: Logger,
        private auth: Auth,
        private notification: Notification,
    ) {}

    handleEvent() {
        this.notification.info('Event handled successfully');
    }
}

➡️ https://angular.io/guide/dependency-injection

React

There's no special injection mechanism. For dependency management, ES2015 modules are used.

import Logger from 'utils/logger'
import Notification from 'utils/notification'
import Auth from 'actions/auth'

class ChangePassword extends React.Component {
  handleEvent = () => {
    Notification.info('Event handled successfully');
  }

  render() {
    return (
      <button onClick={this.handleEvent}>
        Hello world!
      </button>
    );
  }
}

Templates

AngularJS

Values on component inputs must be one of the following.

  • string binding (defined as @)
  • expression binding (defined as <)
  • reference binding (defined as &)
<primary-button size="big"
                disabled="true"
                click="$ctrl.saveContent()">
  Save
</primary-button>

Angular

There are three kinds of possible attributes being passed:

  • text binding, e.g. size="string"
  • property binding, e.g. [disabled]="value"
  • event binding, e.g. (click)="eventHandler()"
<primary-button size="big"
                [disabled]="true"
                (click)="saveContent()">
  Save
</primary-button>

React

Templates in React are written inside the JavaScript file using the JSX language. This allows us to utilize the full JavaScript capabilities. JSX uses the uppercase vs. lowercase convention to distinguish between the user-defined components and DOM tags.

<PrimaryButton
  size="big"
  disabled
  onClick={this.saveContent}
>
  Save
</PrimaryButton>

Vue.js

Component props can be passed in as:

  • literal (using strings) e.g. size="big"
  • dynamic (using v-bind with actual values) e.g. v-bind:disabled="true"

➡️ https://vuejs.org/v2/guide/components.html#Literal-vs-Dynamic

Events can be listened to using v-on combined with the event name, and a method name as the value, e.g v-on:click="saveContent".

➡️ https://vuejs.org/v2/guide/events.html#Method-Event-Handlers

<primary-button size="big"
                v-bind:disabled="true"
                v-on:click="saveContent">
    Save
</primary-button>

Interpolation

AngularJS

Interpolation is the process of data-binding values on the AngularJS scope to values in the HTML. You can read more on the official documentation:

Let's say we have a value heroImageUrl on our scope that is defined as superman.jpg. (We use ng-src here instead of the regular src attribute so that Angular can set it up. If you just you source, the browser will try to load the image before Angular has a chance to interpolate.)

The following HTML

<p><img ng-src="images/{{heroImageUrl}}"> is the <i>interpolated</i> image.</p>

will render to

<p><img ng-src="images/superman.jpg"> is the <i>interpolated</i> image.</p>

You can interpolate more complicated values within the curly braces. For example, {{ getVal() }} will interpolate to the return value of the function getVal.

Another way to "bind" data is to use ng-bind.

<label>Enter name: <input type="text" ng-model="name"></label><br>
Hello <span ng-bind="name"></span>!

In this example, whatever is typed into the input will be placed on the name variable on the scope. The ng-bind will cause the content of the span to be updated to be the value of name. whenever the input changed. See the full example here.

Angular

Angular is similar to AngularJS. You can read more on the official documentation.

{{color}} Will still interpolate to red.

However, Angular has the topic of choosing Property Binding or Interpolation (read more here official documentation).

Say you have a heroImageUrl that you wish to set.

<p><img src="images/{{heroImageUrl}}"> is the <i>interpolated</i> image.</p>
<p><img [src]="'images/' + heroImageUrl"> is the <i>property bound</i> image.</p>

Both of these methods will work the same. Angular suggest to pick whichever your team picks as its coding style.

The property bound style is analogous to the ng-bind strategy used above.

However, when setting an element property to a non-string data value, you must use property binding.

React

Unlike Angular, React uses single curly braces. It does not support variable interpolation inside an attribute value, but anything in the curly braces is just javascript.

For example (taken from here)

The following will not work:

<p><img src="images/{this.props.heroImageUrl}" /></p>

But this will

<p><img src={"images/" + this.props.heroImageUrl"} /></p>

Or if you wish to use ES6 string interpolation

<p><img src={`images/${this.props.heroImageUrl}`} /></p>

There is no specific official documentation for interpolation in React, but you can read about embedding expressions here.

Filters

AngularJS

AngularJS provides filters to transform data. There are several built-in filters to use or you can make your own custom filters as well.

Filters can be applied to view template using the following syntax:

<h1>{{ price | currency }}</h1>

Chaining of filters is also possible:

<h1>{{ name | uppercase | appendTitle  }}</h1>

Custom Filters:

angular.module('app', [])
.filter('reverse', function() {
    return (input = '', uppercase = false) => {
        const out = input.split('').reverse().join('');

        return uppercase ? out.toUpperCase() : out;
    };
});

➡️ https://docs.angularjs.org/guide/filter

Angular

In Angular filters are called pipes. Built-in pipes available in Angular are: DatePipe, UpperCasePipe, LowerCasePipe, CurrencyPipe, and PercentPipe.

Apart from built-in, you can create your own, custom pipes.

Create custom pipe: This pipe transforms given URL to safe style URL, so it can be used in hyperlinks, or <iframe src>, etc..

import { Pipe, PipeTransform } from '@angular/core';
import { DomSanitizer} from '@angular/platform-browser';

@Pipe({ name: 'safe' })
export class SafePipe implements PipeTransform {
    constructor(public sanitizer: DomSanitizer) {}
    transform(url) {
        return this.sanitizer.bypassSecurityTrustResourceUrl(url);
    }
}

Use custom pipe in the template: Pipes given someUrl through safe pipe and transforms it over the DomSanitizer function bypassSecurityTrustResourceUrl. More on DomSanitizer here

  <iframe [src]="someUrl | safe"></iframe>

Note [src] above is an input to the component where aboves iframe 'lives'.

➡️ https://angular.io/guide/pipes

React

React doesn't provide any specific filters mechanism. This can simply be achieved by using ordinary JavaScript functions.

export function reverse(input = '', uppercase = false) {
    const out = input.split('').reverse().join('');

    return uppercase ? out.toUpperCase() : out;
}
import { reverse } from 'utils'

export class App extends Component {
  render() {
    return (
        <div>
            { reverse(this.props.input) }
        </div>
    );
  }
}

Filters chaining can be achieved using function composition.

<div>
    { truncate(reverse(this.props.input)) }
</div>

Vue.js

Vue.js provides filters to allow for simple text formatting. The filter utilizes the | character which is appended to the expression followed by the filter's name. Vue does not come with any pre-built filters.

Filters are usable within mustache interpolations.

<h1>{{ name | lowercase }}</h1>

Filters can also be used within the v-bind directive.

<div v-bind:slug="slug | formatSlug"></div>

When creating filters, the function always receives the expression's value.

new Vue({
  el: '#app',
  template: '<p> {{ message | lowercase }} </p>',
  filters: {
    lowercase(word) {
      return word.toLowerCase();
    }
  },
  data: {
    message: 'Hello World'
  },
});

Filters can also be chained.

<p>{{ description | lowercase | truncate }}</p>

Filters can be created locally like the above example and only be available within that component. Filters can also be declared globally.

Vue.filter('lowercase', word => word.toLowerCase());

For global filters to work, they should be declared before the Vue instance.

➡️ https://vuejs.org/v2/guide/filters.html

Inputs and Outputs

AngularJS

AngularJs has introduced a new syntax for inputs/outputs which was back ported from Angular. The main purpose of this new syntax is to enforce the One-way dataflow pattern. Read more on the official documentation:

class UserPreviewComponent { }

const component = {
  bindings: {
    user: '<',
    onEdit: '&',
  },
  template: `
  <form ng-submit="$ctrl.onEdit();">
    <input type="text" ng-model="$ctrl.user.name">
    <input type="text" ng-model="$ctrl.user.email">
    <button type="submit">Submit</button>
  </form>
  `,
  controller: UserPreviewComponent,
};

export default module.component('user-preview', component);

In a parent component, ie SettingsComponent:

class SettingsComponent {
  user: User;
  constructor() {
    this.user = {
      name: 'Foo Bar',
      email: '[email protected]'
    }
  }
  editedUser(user: User){
    console.log('Name of the edited user is', user.name);
  }
}

const component = {
  template: `<user-preview user="user" on-edit="editedUser()"></user-preview>`,
  controller: SettingsComponent,
};

export default module.component('app-settings', component);

Angular

Angular introduced a new pattern for Component interactions, this pattern follows the Flux architecture. Read more on the official documentation.

@Component({
  selector: 'user-preview',
  template: `
  <form (ngSubmit)="emitEditedUser();">
    <input type="text" value="{{user.name}}">
    <input type="text" value="{{user.email}}">
    <button type="submit">Submit</button>
  </form>
  `
})
export class UserPreviewComponent {
  @Input() user: User;
  @Output() onEdit: EventEmitter = new EventEmitter<User>();

  emitEditedUser() {
    this.onEdit.emit(this.user);
  }
}

In a parent component, ie SettingsComponent:

@Component({
  selector: 'app-settings',
  template: `
    <user-preview [user]="user" (onEdit)="editedUser($event)"></user-preview>
  `
})
export class SettingsComponent {
  user: User;
  constructor() {
    this.user = {
      name: 'Foo Bar',
      email: '[email protected]'
    }
  }
  editedUser(user: User){
    console.log('Name of the edited user is', user.name);
  }
}

React

import React from 'react';
import PropTypes from 'prop-types';

class UserPreviewComponent extends React.Component {
  render() {
    return (
      <form  onSubmit={this.props.onEdit}>
        <input type="text" value={this.props.user.email} />
        <input type="text" value={this.props.user.name} />
        <button type="submit">Submit</button>
      </form>
    );
  }
}

UserPreviewComponent.propTypes = {
  user: PropTypes.instanceOf(User)
};

In a parent component, ie SettingsComponent:

import React from 'react';

class SettingsComponent extends React.Component {
  constructor() {
    this.state = {
        user: {
          name: 'Foo Bar',
          email: '[email protected]'
        }
    };
  }
  editedUser(user: User){
    console.log('Name of the edited user is', user.name);
  }
  render() {
    return (
      <UserPreviewComponent user={this.state.user} onEdit={(user) => this.editedUser(user)} />
    );
  }
}

Read more about React's PropTypes.

For communication between two components that don't have a parent-child relationship, you can set up your own global event system. Subscribe to events in componentDidMount(), unsubscribe in componentWillUnmount(), and call setState() when you receive an event. Flux pattern is one of the possible ways to arrange this.

Forms

Angular

Angular offers two ways to build forms:

The former use a reactive (or model-driven) approach to build forms. The latter allow to build forms by writing templates in the Angular template syntax with the form-specific directives and techniques.

Reactive forms example

import { Component, OnInit } from '@angular/core';
import { FormGroup, FormBuilder } from '@angular/forms';

@Component({
  selector: 'reactive-form',
  template: `
    <div>
        <form [formGroup]="form" 
              (ngSubmit)="onSubmit(form.value, form.valid)" 
              novalidate>
        <div>
            <label>
                Name:
                <input type="text" formControlName="name">
            </label>
        </div>
        <div>
            <label>
                Email:
                <input type="email" formControlName="email">
            </label>
        </div>
        </form>
    </div>
  `
})

export class ReactiveFormComponent implements OnInit {
  public form: FormGroup;

  constructor(private formBuilder: FormBuilder) { }

  ngOnInit() {
    this.form = this.formBuilder.group({name: [''], email: ['']});
  }
}

The novalidate attribute in the <form> element prevents the browser from attempting native HTML validations

React

Two techniques exists in React to handle form data i.e Controlled Components and Uncontrolled Components. A controlled component keeps the input's value in the state and updates it via setState(). While in an uncontrolled component, form data is handled by DOM itself and referenced via ref. In most cases, it is recommended to use controlled components.

import React from 'react';

export default class ReactForm extends React.Component{
  this.state = {
    email: '',
    password:'',
  }

  handleChange = ({ name, value}) => {
    if (name === 'email') {
      this.setState({ email: value })
    } else if (name === 'password') {
      this.setState({ password: value })
    }
  }

  render() {
    return (
      <form>
        <label>
          Email:
          <input
            name="email"
            type="email"
            value= {this.state.email }
            onChange={ this.handleChange }
          />
        </label>
        <label>
          Password:
          <input
            name="password"
            type="password"
            value={ this.state.password }
            onChange={ this.handleChange }
          />
        </label>
      </form>
    )
  }
}

➡️ https://reactjs.org/docs/forms.html

Validation

Data-binding

Submitting

Handling Events

TODO

Lifecycle methods

React

Mounting

constructor(props) - the first method called in the lifecycle before mounting. If used, it must include super(props) as the first call:

constructor(props) {
  super(props);
  this.state = {
    time: new Date();
  }
}

componentWillMount() - is invoked just before render. Modifying the state here won't trigger a re-render.

componentDidMount() - is invoked after render. Useful for initialisations that require DOM nodes.

Updating

componentWillReceiveProps(nextProps) - is only called after rendering, but before receiving new props. Because React may call this method although props stay the same. It is recommended to manually implement a check to see if there's a difference.

shouldComponentUpdate(nextProps, nextState) - the method is called before receiving new props or state. By default, it returns true which means render is triggered by any change. Modifying this method allows you to only re-render in intended scenarios.

componentWillUpdate(nextProps, nextState) - is invoked if shouldComponentUpdate returns true before render. Note: You can't use this.setState() here.

componentDidUpdate(prevProps, prevState) - is invoked after render, but not after the initial one. This method is useful for manipulating the DOM when updated.

Unmounting

componentWillUnmount() - is invoked immediately before a component is unmounted and destroyed. Useful for resource cleanup.

Conditional rendering

AngularJS

TODO

Angular

Since Angular 4.0.0, alongside standard ngIf, it is possible to use ngIf;else or ngIf;then;else using <ng-template> with an alias #aliasName.

import { Component } from '@angular/core';

@Component({
  selector: 'registration',
  template: `
    <!-- ------------------- -->
    <!-- use ngIf like this: -->
    <!-- ------------------- -->
    <div *ngIf="displaySpecialOffer">
      <special-offer></special-offer>
    </div>


    <!-- ------------------------ -->
    <!-- use ngIf;else like this: -->
    <!-- ------------------------ -->
    <div *ngIf="registrationCompleted;else registrationForm">
      <registration-completed></registration-completed>
    </div>

    <ng-template #registrationForm>
      <registration-form></registration-form>
    </ng-template>


    <!-- ------------------------------ -->
    <!-- use ngIf;then;else like this:  -->
    <!-- ------------------------------ -->
    <div *ngIf="registrationCompleted;then registrationSucceeded;else registrationForm"></div>

    <ng-template #registrationSucceeded>
      <registration-completed></registration-completed>
    </ng-template>

    <ng-template #registrationForm>
      <registration-form></registration-form>
    </ng-template>
  `,
})
export class registrationComponent {
  registrationCompleted: boolean = false;
}

React

The most common approach to conditional rendering is by using the ternary operator:
{ condition ? <Component /> : null }

class Registration extends React.Component {
  this.state = {
    registrationCompleted: false,
  };

  propTypes = {
    displaySpecialOffer: PropTypes.bool,
  }

  render() {
    return (
      <div>
        { this.props.displaySpecialOffer ? <SpecialOffer /> : null }

        { this.state.registrationCompleted ? (
            <RegistrationCompleted />
        ) : (
            <RegistrationForm />
        ) }
      </div>
    );
  }
}

Vue.js

Vue.js has three directives to perform conditional rendering: v-if, v-else-if and v-else.

<template>
  <section v-if="registrationCompleted && !displaySpecialOffer">
    <registration-completed />
  </section>
  <section v-else-if="registrationCompleted && displaySpecialOffer">
    <special-offer />
    <registration-completed />
  </section>
  <section v-else>
    <registration-form />
  </section>
</template>

➡️ https://vuejs.org/v2/guide/conditional.html

Lists

AngularJS

ngRepeat

export class BookListComponentCtrl {
  constructor() {
    this.books = [
      {
        id: 1,
        title: "Eloquent JavaScript",
        author: "Marijn Haverbeke"
      },
      {
        id: 2,
        title: "JavaScript: The Good Parts",
        author: "Douglas Crockford"
      },
      {
        id: 3,
        title: "JavaScript: The Definitive Guide",
        author: "David Flanagan"
      }
    ];
  }
}
<ul>
  <li ng-repeat="book in $ctrl.books track by book.id">
    {{ book.title }} by {{ book.author }}
  </li>
</ul>

Angular

ngFor

export interface Book {
  id: number;
  title: string;
  author: string;
}
import { Component } from '@angular/core';
import { Book } from './book.interface';

@Component({
  selector: 'book-list',
  template: `
    <ul>
      <li *ngFor="let book of books; trackBy: trackById">
        {{ book.title }} by {{ book.author }}
      </li>
    </ul>
  `
})
export class BookListComponent {
  this.books: Book[] = [
    {
      id: 1,
      title: "Eloquent JavaScript",
      author: "Marijn Haverbeke"
    },
    {
      id: 2,
      title: "JavaScript: The Good Parts",
      author: "Douglas Crockford"
    },
    {
      id: 3,
      title: "JavaScript: The Definitive Guide",
      author: "David Flanagan"
    }
  ];

  trackById(book) {
    return book.id;
  }
}

React

Lists and Keys

class BookList extends React.Component {
  constructor() {
    this.state = {
      books: [
        {
          id: 1,
          title: "Eloquent JavaScript",
          author: "Marijn Haverbeke"
        },
        {
          id: 2,
          title: "JavaScript: The Good Parts",
          author: "Douglas Crockford"
        },
        {
          id: 3,
          title: "JavaScript: The Definitive Guide",
          author: "David Flanagan"
        }
      ]
    };
  }

  render() {
    const { books } = this.state;

    return (
      <ul>
        { books.map(book => {
          return (
            <li key="{ book.id }">
              { book.title } by { book.author }
            </li>
          );
        }) }
      </ul>
    );
  }
}

Vue.js

<template>
  <ul>
    <li v-for="book in books" :key="book.id">
      {{ book.title }} by {{ book.author }}
    </li>
  </ul>
</template>
export default {
  data() {
    return {
      books: [
        {
          id: 1,
          title: "Eloquent JavaScript",
          author: "Marijn Haverbeke"
        },
        {
          id: 2,
          title: "JavaScript: The Good Parts",
          author: "Douglas Crockford"
        },
        {
          id: 3,
          title: "JavaScript: The Definitive Guide",
          author: "David Flanagan"
        }
      ]
    }
  }
};

Child nodes

AngularJS

Inside a component, we have access to the child node by injecting $element to the controller. It has jqLite wrapped instance of the DOM element. Also, accessing $element[0] will return the bare DOM element.

Transclusion is also supported - using ng-transclude (See Transclusion and Containment section).

class TextInputController {
  constructor($element) {
    'ngInject';

    this.$element = $element;
  }

  // The $element can be used after the link stage
  $postLink() {
    const input = this.$element.find('input');
    input.on('change', console.log);
  }
}

const component = {
  controller: TextInputController,
  template: `
    <div>
      <input type="text" />
    </div>
  `,
};

Angular

Angular provides two ways to deal with child nodes: ViewChild and ContentChild. They both have the same purpose, but there are different use cases for them.

  • ViewChild works with the internal DOM of your component, defined by you in the component's template. You have to use the @ViewChild decorator to get the DOM element reference.

  • ContentChild works with de DOM supplied to your component by its end-user (See Transclusion and Containment). You have to use the @ContentChild decorator to get the DOM element reference.

import {
  Component,
  Input,
  ViewChild,
  ContentChild,
  AfterViewInit,
  AfterContentInit
} from '@angular/core';

@Component({
  selector: 'child',
  template: `
    <p>Hello, I'm your child #{{ number }}!</p>
  `
})
export class Child {
  @Input() number: number;
}

@Component({
  selector: 'parent',
  template: `
    <child number="1"></child>
    <ng-content></ng-content>
  `
})
export class Parent implements AfterViewInit, AfterContentInit {
  @ViewChild(Child) viewChild: Child;
  @ContentChild(Child) contentChild: Child;

  ngAfterViewInit() {
    // ViewChild element is only avaliable when the
    // ngAfterViewInit lifecycle hook is reached.
    console.log(this.viewChild);
  }

  ngAfterContentInit() {
    // ContentChild element is only avaliable when the
    // ngAfterContentInit lifecycle hook is reached.
    console.log(this.contentChild);
  }
}

@Component({
  selector: 'app',
  template: `
    <parent>
      <child number="2"></child>
      <child number="3"></child>
    </parent>
  `
})
export class AppComponent { }

ViewChild and ContentChild work with only one DOM element. You can use ViewChildren and ContentChildren in order to get multiple elements. Both return the elements wrapped in a QueryList.

React

In React, we have two options to deal with child nodes: refs and children. With refs, you have access to the real DOM element. The children property let you manipulate the underlying React elements.

refs

ref is a special attribute we can pass to a React element that receives a callback and call it with the corresponding DOM node.

// In order to access child nodes from parents, we can pass the `ref` callback
// to the children as props.
const TextInput = ({ inputRef }) => (
  <div>
    <input ref={inputRef} type="text" />
  </div>
);

class Parent extends React.Component {

  componentDidMount() {
    // Refs are only executed after mounting and unmounting. Now `this.textInput`
    // references a real DOM node. So, we can use the raw DOM API
    // (to focus the input, for example)
    this.textInput.focus();
  }

  render() {
    // The child's `inputRef` prop receives the `ref` callback.
    // We can use the callback to store the DOM element in an instance variable.
    return (
      <div>
        <label>This is my child: </label>
        <TextInput
          inputRef={node => { this.textInput = node; }} />
      </div>
    )
  }
}

children

children is a special prop avaliable in all React component instances. You can use it to control how and where the underlying React elements will be rendered.

// children is just a prop. In this case, the value of `children` will be
// what you pass to the <Heading /> component as a child node.
const Heading = ({ children }) => (
  <h1 className="Heading">
    {children}
  </h1>
);

// `this.props.children` refers to whatever is a valid node inside the <Layout /> element.
class Layout extends React.Component {
  render() {
    return (
      <div class="Layout">
        {this.props.children}
      </div>
    );
  }
}

const App = () => (
  <div>
    <Heading>I am the child!</Heading>
    <Layout>
      We are
      {'the'}
      <strong>Children!</strong>
    </Layout>
  </div>
);

Transclusion and Containment

Basic

AngularJS

angular.module('app.layout', [])
.component('layout', {
  bindings: {
    theme: '@',
  },
  controller: LayoutController,
  transclude: true,
  template: `
    <div ng-class="'theme-' + $ctrl.theme">
      <ng-transclude></ng-transclude>
    </div>
  `,
}).component('pageContent', {
  template: `<div>Some content</div>`,
}).component('pageFooter', {
  template: `<footer>Some content</footer>`,
});
<layout theme="dark">
  <page-content></page-content>
  <page-footer></page-footer>
</layout>

Angular

@Component({
  selector: 'layout',
  template: `
    <div>
      <ng-content></ng-content>
    </div>
  `
})
export class Layout {}

@Component({
  selector: 'page-content',
  template: `<div>Some content</div>`,
})
export class PageContent {}

@Component({
  selector: 'page-footer',
  template: `<footer>Some content</footer>`,
})
export class PageFooter {}
<layout>
  <page-content></page-content>
  <page-footer></page-footer>
</layout>

React

const Layout = ({ children, theme }) => (
  <div className={`theme-${theme}`}>
    {children}
  </div>
);

const PageContent = () => (
  <div>Some content</div>
);

const PageFooter = () => (
  <div>Some content</div>
);

<Layout theme='dark'>
  <PageContent />
  <PageFooter />
</Layout>

Multiple slots

AngularJS

angular.module('app.layout', [])
.component('landingSection', {
  bindings: {},
  controller: LandingSectionController,
  transclude: {
    contentSlot: '?content', // '?' indicates an optional slot
    iconSlot: '?icon'
  },
  template: `
    <div>
      <span ng-transclude="contentSlot"></span>
      <div>
        <span ng-transclude="iconSlot">This is the default value</span>
      </dev>
    </div>
  `,
}).component('pageContent', {
  template: `<div>Some content</div>`,
});
<div>
  <h1>Page title</h1>
  <landing-section>
    <page-content></page-content>
  </landing-section>
</div>

Angular

TODO

React

const Layout = ({ children, theme }) => (
  <div className={`theme-${theme}`}>
    <header>{children.header}</header>
    <main>{children.content}</main>
    <footer>{children.footer}</footer>
  </div>
);

const Header = () => (
  <h1>My Header</h1>
);

const Footer = () => (
  <div>My Footer</div>
);

const Content = () => (
  <div>Some fancy content</div>
);

<Layout theme='dark'>
{{
  header: <Header />,
  content: <Content />,
  footer: <Footer />
}}
</Layout>

Styling

AngularJS

Generally you will use some preprocessor (e.g. Sass) and assign appropriate classes to the elements.

The ng-style directive allows you to set custom CSS styles dynamically.

class HeaderController {
    constructor(ThemeProvider) {
        'ngInject';

        this.ThemeProvider = ThemeProvider;
        this.headerStyles = {};
    }

    $onInit() {
        this.headerStyles.color = ThemeProvider.getTextPrimaryColor();
    }
}
<h1 ng-style="$ctrl.headerStyles"
    class="Header">
    Welcome
</h1>

Angular

When defining Angular component you may also include the CSS styles that will go with the template. By default the styles will be compiled as shadow DOM, which basically means you don't need any namespacing strategy for CSS classes.

The ngStyle directive allows you to set custom CSS styles dynamically.

@Component({
  selector: 'ng-header',
  template: require('./header.html'),
  styles: [require('./header.scss')],
})
export class HeaderComponent {
    headerStyles = {};

    constructor(private themeProvider: ThemeProvider) {}

    ngOnInit() {
        this.headerStyles.color = ThemeProvider.getTextPrimaryColor();
    }
}
<h1 [ngStyle]="headerStyles"
    class="Header">
    Welcome
</h1>
.Header {
    font-weight: normal;
}

➡️ https://angular.io/guide/component-styles

React

In React community there are many approaches to styling your app. From traditional preprocessors (like in the Angular world) to so-called CSS in JS. The most popular include:

To dynamically apply styles you can directly pass an object to the style attribute.

export class HeaderComponent {
    state = {
        color: null,
    };

    componentDidMount() {
        this.setState({
            color: ThemeProvider.getTextPrimaryColor();
        })
    }

    render() {
        return (
            <h1 styles={ { color: this.state.color } }>
                Welcome
            </h1>
        )
    }
}

Vue.js

When using Single File Components you can simply style a component inside the <style> tag. When the tag has the scoped attribute, its CSS will apply to elements of the current component only.

To bind styles dynamically you can use the v-bind:style directive.

<template>
    <h1 class="Header"
        v-bind:style="headerStyles">
        Welcome
    </h1>
</template>

<script>
const ThemeProvider = require('./utils/themeProvider');

module.exports = {
  data() {
    return {
        headerStyles: {
            color: null,
        }
    };
  },
  created() {
    this.headerStyles.color = ThemeProvider.getTextPrimaryColor();
  },
};
</script>

<style scoped>
  .Header {
    font-weight: normal
  }
</style>

Inject HTML template

aka. innerHTML

AngularJS

By default, the HTML content will be sanitized using the $sanitize service. To utilize this functionality, you need to include ngSanitize in your module's dependencies. Read more

<p ng-bind-html="$ctrl.article.content"></p>

Angular

It automatically sanitizes the values before displaying them using DomSanitizer

<p [innerHTML]="article.content"></p>

React

All string values are sanitized before being inserted into the DOM. No more details are currently available. You need to pass an object containing __html property with desired template content.

<p dangerouslySetInnerHTML={{__html: article.content}} />

Vue.js

The content passed to v-html is not being sanitized. You have to use an external library, e.g. sanitize-html

<div v-html="article.content"></div>

frameworks-code-comparison's People

Contributors

andrevargas avatar coderwassananmol avatar dillonchanis avatar feimosi avatar hendrikgrobler avatar httpstersk avatar itachiuchiha1998 avatar lagruo avatar lvncnt avatar mjrdnk avatar pierredup avatar psib0t avatar varughese avatar vitaliy-bobrov avatar

Watchers

 avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.