1

我目前正在尝试“新的” ES6 + Angular 组合,并被困在包含范围绑定的指令中插入 html 字符串。

我尝试了以下选项:

现在的情况

以下代码有效,但它使用过滤器而不是指令。

HTML 文件

 <div class="thumbnail-body">
     <div ng-bind-html="vm.labels.hello | interpolate:this"></div>
 </div>

在模块中过滤(仍然是没有 ES6 的老式 Angular)

//TODO: .filter('interpolate', () => new InterpolateFilter())
.filter('interpolate', function ($interpolate) {
  return function (text, scope) {
    if (text) {
      return $interpolate(text)(scope);
    }
  };
});

我试图将插值逻辑移向指令的原因是我不必在多个元素上添加过滤器。

工作但丑陋的情况

HTML 文件

<interpolate value="vm.labels.hello"  scope="this"></interpolate>

指示

class InterpolateDirective {
  constructor() {    
   this.template = '<div ng-bind-html="value |interpolate:scope"></div>';
   this.restrict = 'E';
   this.scope = {value: '=',scope:'='};
  }
}
export default InterpolateDirective;

模块

.directive('interpolate', () => new InterpolateDirective())

期望的情况(尚未工作)

HTML 文件

<interpolate value="vm.labels.hello"></interpolate>

指示

class InterpolateDirective {
      constructor($interpolate,$scope) {
      'ngInject';this.template = '<div ng-bind-html="value"> </div>';
      this.restrict = 'E';
      this.scope = {value: '='};
      this.$interpolate = $interpolate;
      this.$scope = $scope;
  }
  //optional compile or link function
  link() {
     this.scope.value = this.$interpolate(this.scope.value)(this);
  }
}
export default InterpolateDirective;

模块

.directive('interpolate', () => new InterpolateDirective())

简而言之:我想在理想的情况下工作

4

1 回答 1

2

尝试这个:

class InterpolateDirective {
    constructor($interpolate) {
        this.template = '<div ng-bind-html="value"> </div>';
        this.restrict = 'E';
        this.scope = {
            value: '='
        };
        this.$interpolate = $interpolate;

        InterpolateDirective.prototype.link = (scope) =>{
            scope.value = this.$interpolate(scope.value)(this);
        }
    }

    public static Factory() {
        var directive = ($interpolate) => {
            return new InterpolateDirective($interpolate);
        };
        directive['$inject'] = ['$interpolate'];
        return directive;
    }
}
export default InterpolateDirective;


.directive('interpolate', InterpolateDirective.Factory());

指令中的作用域不像在控制器中那样通过依赖注入来注入。指令可以通过链接函数的第一个参数访问范围。

指令的对象属性定义的范围不一样。通过范围隔离创建指令的 API 是配置的一部分。

于 2015-10-12T22:00:22.967 回答