25

ngTransclude内部の HTML コンテンツを置き換える代わりに、何らかの方法で属性値を使用することは可能ですか? たとえば、この単純なディレクティブ

var testapp = angular.module('testapp', [])

testapp.directive('tag', function() {
  return {
    template: '<h1><a href="{{transcludeHere}}" ng-transclude></a></h1>',
    restrict: 'E',
    transclude: true
  }
});

そしてそれを次のように使用します

<tag>foo</tag>

に訳してほしい

<h1><a href="foo">foo</a></h1>

それを行う方法はありますか、またはトランスクルージョンの代わりに属性を使用する必要がありますか?

これが例のフィドルです

4

4 に答える 4

24

このようなもの:

var testapp = angular.module('testapp', [])

testapp.directive('tag', function() {
  return {
    restrict: 'E',
    template: '<h1><a href="{{transcluded_content}}">{{transcluded_content}}</a></h1>',
    replace: true,
    transclude: true,
    compile: function compile(tElement, tAttrs, transclude) {
        return {
            pre: function(scope) {
                transclude(scope, function(clone) {
                  scope.transcluded_content = clone[0].textContent;
                });
            }
        }
    }
  }
});​

フィドル

于 2012-07-28T20:40:47.893 に答える
7

もう1つの解決策:

app.directive('tag', function($compile) {
  return {
    restrict: 'E',
    template:"<h1></h1>",
    transclude: 'element',
    replace: true,
    controller: function($scope, $element, $transclude) {
      $transclude(function(clone) {
        var a = angular.element('<a>');
        a.attr('href', clone.text());
        a.text(clone.text());        
        // If you wish to use ng directives in your <a>
        // it should be compiled
        //a.attr('ng-click', "click()");
        //$compile(a)($scope);       
        $element.append(a);
      });
    }
  };
});

プランカー: http://plnkr.co/edit/0ZfeLz?p=preview

于 2012-12-02T11:41:41.403 に答える
2

compileVadim の答えは、この関数を使用して、トランクルージョンが発生する postLink 関数を返すことで簡単に修正できます。

app.directive('tag', function ($compile) {
  return {
    restrict: 'E',
    template: '<h1></h1>',
    transclude: 'element',
    replace: true,
    compile: function($element, $attrs) {
        return function ($scope, $element, $attrs, $controller, $transclude) {
          $transclude(function(clone) {
            var a = angular.element('<a></a>');
            a.attr('href', clone.text());
            a.text(clone.text());        
            // If you wish to use ng directives in your <a>
            // it should be compiled
            // a.attr('ng-click', 'click()');
            // $compile(a)($scope);
            $element.append(a);
          });
        };
    }
  };
});

https://docs.angularjs.org/api/ng/service/ $compileを参照してください。

関数は以前は関数$transcludeに渡されてcompileいましたが、非推奨になり、現在はlink関数に含まれています。

于 2014-05-21T06:59:37.657 に答える