Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Using 'require' in angular component

According to the docs (specifically, the table comparing directives to components), angular components allow requiring other directives (or is it only components?). However, components do not have a link function, which could give access to the required controller. The source, contrary to documentation, seems to suggest that it is not possible to use 'require' when creating components. Which is true?

like image 710
Maciej Gurban Avatar asked Feb 09 '16 13:02

Maciej Gurban


1 Answers

The cited source is outdated. As of 1.5.0, component controllers can be required in other components (the same applies to directives).

An example from the guide shows the way how the components and directives should interact in 1.5 without the aid from link.

When require object and bindToController are used together, required controller instances are assigned to current controller as properties.

Because this happens during directive linking, the required controllers aren't available in controller constructor, that's why $onInit magic method is there. If it exists, it is executed right after adding required controllers to this.

Both

app.directive('someDirective', function () {
  return {
    scope: {},
    bindToController: {},
    controllerAs: 'someDirective',
    require: {
      anotherDirective: '^anotherDirective'
    },
    controller: function ($scope) {
      console.log("You don't see me", this.anotherDirective);

      this.$onInit = function () {
        console.log("Now you do", this.anotherDirective);
      };
    }
  }
});

and

app.component('someComponent', {
  controllerAs: 'someComponent',
  require: {
    anotherDirective: '^anotherDirective'
  },
  controller: function ($scope) {
    console.log("You don't see me", this.anotherDirective);

    this.$onInit = function () {
      console.log("Now you do", this.anotherDirective);
    };
  }
});

declaration styles are on a par under the hood and can be used interchangeably in 1.5, and component is a concise one.

like image 142
Estus Flask Avatar answered Sep 22 '22 01:09

Estus Flask