5

我无法让 ng-transclude 在 ng-switch-default 指令中工作。这是我的代码:

指示:

.directive('field', ['$compile', function($complile) {
        return {
            restrict: 'E',
            scope: {
                ngModel: '=',
                type: '@',
            },
            transclude: true,
            templateUrl: 'partials/formField.html',
            replace: true
        };
    }])

部分/formField.html

<div ng-switch on="type">
    <input ng-switch-when="text" ng-model="$parent.ngModel" type="text">
    <div ng-switch-default>
        <div ng-transclude></div>
    </div>
</div>

我这样称呼它...

<field type="other" label="My field">
    test...
 </field>

这会产生错误:

[ngTransclude:orphan] Illegal use of ngTransclude directive in the template! No parent directive that requires a transclusion found.

在 ng-switch 指令之外,它可以顺利工作,但我不知道如何让它工作。有什么建议么?

编辑:这是一个现场演示:http ://plnkr.co/edit/3CEj5OY8uXMag75Xnliq?p=preview

4

2 回答 2

6

问题是它ng-switch正在做自己的嵌入。正因为如此,您的嵌入会随着 的嵌入而丢失ng-switch

我认为你不能在ng-switch这里使用。

您可以使用ng-iforng-show代替:

<input ng-if="type == 'text'" ng-model="$parent.ngModel" type="{{type}}" class="form-control" id="{{id}}" placeholder="{{placeholder}}" ng-required="required">
<div ng-if="type != 'text'">
    <div ng-transclude></div>
</div>
于 2013-11-15T11:32:23.897 回答
0

摘自:Github issue

问题是 ng-switch 也在使用 transclude,这会导致错误。

在这种情况下,您应该创建一个使用正确的 $transclude 函数的新指令。为此,请将 $transclude 存储在父指令的控制器中(在您的案例字段中),并创建一个引用该控制器并使用其 $transclude 函数的新指令。

在您的示例中:

.directive('field', function() {
  return {
       ....
      controller: ['$transclude', function($transclude) {
        this.$transclude = $transclude;
      }],
      transclude: true,
       ....
  };
})
.directive('fieldTransclude', function() {
  return {
    require: '^field',
    link: function($scope, $element, $attrs, fieldCtrl) {
      fieldCtrl.$transclude(function(clone) {
        $element.empty();
        $element.append(clone);
      });
    }
  }
})

在 html 中,您只需使用<div field-transclude>而不是<div ng-transclude>.

这是一个更新的 plunker:http ://plnkr.co/edit/au6pxVpGZz3vWTUcTCFT?p=preview

于 2014-04-05T20:41:07.820 回答