angularjs – 没有模板的角度组件表达式绑定

我正在尝试从我的组件输出我的范围数据,但很难在没有本地模板的情况下弄清楚如何做到这一点.

出于不同的原因,我需要将标记放在HTML文件中,而不是使用js load进行解析

这是到目前为止的虚拟代码:(codepen:http://codepen.io/anon/pen/qNBBRN)

HTML:

<comp>
  {{ $ctrl.testing }}
</comp>

不工作的JS代码:

angular
      .module('Test', [])
      .component('comp', {
        controller: myCtrl,
      });

function myCtrl() {
  var model = this;
  model.testing = '123';
}

document.addEventListener('DOMContentLoaded', function() {
  angular.bootstrap(document, ['Test']);
});

这就是我想要避免的,即使它有效:

angular
  .module('Test', [])
  .component('comp', {
    controller: myCtrl,
    template: '{{ $ctrl.testing }}',
  });

function myCtrl() {
  var model = this;
  model.testing = '123';
}

document.addEventListener('DOMContentLoaded', function() {
  angular.bootstrap(document, ['Test']);
});

最佳答案 您需要的解决方案是使用绑定将组件的内部私有范围与父范围相关联.

JS

angular
  .module('Test', [])
  .component('comp', {
    controller: myCtrl,
    bindings: {
      testing: '='
    }
  });

function myCtrl() {
   var model = this;
   model.testing = '123';
}

HTML

<comp testing="$ctrl.testing">
  {{ $ctrl.testing }}
</comp>

Plunkr例子:http://plnkr.co/edit/jLeDyBTFA9OU7oqK5HSI?p=preview

点赞