4

将事件处理程序添加到嵌入内容的正确方法是什么?我不希望我的指令的使用者将他们自己的点击处理程序添加到文档中。该指令应该处理它。但是我不确定如何正确地将处理程序添加到使用 ng-transclude 传递的内容中。

摆弄:https : //jsfiddle.net/hoe71p0e/12/(无法让 Angular.js 和 JSFiddle 工作;我的链接函数没有被调用)

foo.html

<my-foo>
    <button type="button">Foo</button>
</my-foo>

foo.js

return {
    template: "<div class='my-foo' data-ng-transclude></div>"
    link: function($scope, $elem, $attrs, $ctrl, $transclude) {
        $scope.foo = function() {
            console.log("this is never called");
        };

        $transclude(function(clone) {
            for (var i in clone) {
                if (clone[i].localName === "button") {
                    angular.element(clone[i]).attr("data-ng-click", "foo()");
                }
            }
        });
    }
};

预期结果(点击按钮应该调用 foo)

<div class="my-foo">
    <button type="button" data-ng-click="foo()">Foo</button>
</div>

实际结果(点击按钮什么都不做)

<div class="my-foo">
    <button type="button">Foo</button>
</div>

请注意,data-ng-click按钮上的属性丢失了。

另外,我见过几个这样的例子......

破碎的.js

$transclude(function(clone) {
    angular.element(clone).find("button");
});

...但是那些失败是因为.find()没有返回结果,即使检查员似乎认为克隆包含一个“按钮”。

4

1 回答 1

1

我无法想象你甚至在这个指令中链接。在您的小提琴中,您缺少一些基本要求,例如ng-app=""restrict: 'E'元素样式指令中的(1.2.x 需要)和transclude: true. 通过修复这些,我们得到了一个工作示例。此外,我不确定您要做什么$transclude(function(clone) { /*...*/,但我怀疑这是不必要的。观察以下...

<my-foo>
    <button type="button" ng-click="foo()">Foo</button>
</my-foo>

.directive('myFoo', function() {
    return {
        transclude: true,
        restrict: 'E',
        template: '<div class="my-foo" ng-transclude></div>',
        link: function($scope, elem, attrs) {
            $scope.foo = function() {
                console.log('this is called!');
            };
        }
    };
});

JSFiddle 链接- 工作演示


根据对话,您可以采取的最直接的解决方法是利用$compile<button>服务并修改指令中(一旦选择)元素的属性link。注入$compile并观察以下...

.directive('myFoo', function($compile) {
    return {
        transclude: true,
        restrict: 'E',
        template: '<div class="my-foo" ng-transclude></div>',
        link: function($scope, elem, attrs) {

            $scope.foo = function() {
                console.log('called')
            }

            var button = elem.find('button');
            button.attr('ng-click', 'foo()');
            $compile(button)($scope);
        }
    };
});

JSFiddle 链接-$compile演示

于 2015-11-20T18:40:54.370 回答