4

我创建了一个包含选择输入字段的自定义指令。

我正在使用 ng-options 填充选择选项,并且我目前正在使用options绑定到隔离范围的属性为选项传递数据。见下文。

<script>
  recManagerApp.directive(myDirective, function () {
    return {
      restrict: 'E',
      templateUrl: '/templates/directives/mydirective.html',
      scope: {
        mySelectedValue: "=",
        options : "="
      }
    };
  });
</script>

<my-directive my-selected-value="usersValue" options="myDataService.availbleOptions"></my-directive>

<div>
  <select data-ng-model="mySelectedValue" data-ng-options="item for item in options">
    <option value="">Select something</option>
  </select>
</div>

上述工作按预期工作,正确填充选项,选择正确的值并与父范围内的属性进行双向绑定。

但是,我宁愿不使用 my-directive 元素上的属性传递选项,而是注入可以为 ng-options 提供数据的服务 (myDataService)。但是,当我尝试这个(各种方式)时,没有创建任何选项,尽管服务被正确注入并且数据可用。谁能建议一种方法来做到这一点?

recManagerApp.directive(myDirective, function (myDataService) {
    return {
        restrict: 'E',
        templateUrl: '/templates/directives/mydirective.html',
        scope: {
            mySelectedValue: "=",
            options : myDataService.availableOptions
        }
    };
});

谢谢

4

1 回答 1

5

在我看来,你有几个选择(如评论中指出的那样):

1.为指令创建控制器

在您指令的模板中,使用控制器,即

<div ng-controller="SelectController">
  <!-- your select with the ngOptions -->
</div>

并将其创建SelectController为常规控制器:

var app = angular.module("app.controllers", [])

app.controller("SelectController", ['$scope', 'myDataService', function(scope, service) {
  scope.options = service.whatEverYourServiceDoesToProvideThis()
}]);

你也可以给你的指令一个控制器,它的工作原理是一样的:

recManagerApp.directive(myDirective, function () {
    return {
        restrict: 'E',
        templateUrl: '/templates/directives/mydirective.html',
        scope: {
            mySelectedValue: "=",
        },
        controller: ['$scope', 'myDataService', function(scope, service) {
          scope.options = service.whatEverYourServiceDoesToProvideThis()
        }]
    };
});

2. 将其注入指令并在链接中使用

recManagerApp.directive(myDirective, function (myDataService) {
    return {
        restrict: 'E',
        templateUrl: '/templates/directives/mydirective.html',
        scope: {
            mySelectedValue: "="
        },
        link: function(scope) {
          scope.options = myDataService.whatEverYourServiceDoesToProvideThis()
        }
    };
});
于 2013-08-06T08:58:12.413 回答