web-dev-qa-db-ja.com

AngularJSディレクティブ動的テンプレート

スコープ値に基づいて異なるテンプレートを使用してディレクティブを作成しようとしています。

これは私がこれまでにやったことで、なぜ機能しないのか分かりません http://jsbin.com/mibeyotu/1/edit

HTML要素:

<data-type content-attr="test1"></data-type>

指令:

var app = angular.module('myApp', []);

app.directive('dataType', function ($compile) {

    var testTemplate1 = '<h1>Test1</h1>';
    var testTemplate2 = '<h1>Test2</h1>';
    var testTemplate3 = '<h1>Test3</h1>';

    var getTemplate = function(contentType){

        var template = '';

        switch(contentType){
            case 'test1':
                template = testTemplate1;
                break;
            case 'test2':
                template = testTemplate2;
                break;
            case 'test3':
                template = testTemplate3;
                break;
        }

        return template;
    }; 

    var linker = function(scope, element, attrs){
        element.html(getTemplate(scope.content)).show();
        $compile(element.contents())(scope);
    };

    return {
        restrict: "E",
        replace: true,
        link: linker,
        scope: {
            content:'='
        }
    };
});
62
Jack

1)コンテンツをHTMLの属性として渡します。これを試して:

element.html(getTemplate(attrs.content)).show();

の代わりに:

element.html(getTemplate(scope.content)).show();

2)ディレクティブのデータ部分がコンパイルされているため、別のものを使用する必要があります。データ型の代わりに、例えばデータ型。

リンクは次のとおりです。

http://jsbin.com/mibeyotu/6/edit

15
Slaven Tomac

ディレクティブ定義オブジェクトのtemplateプロパティを、動的テンプレートを返す関数に設定できます。

restrict: "E",
replace: true,
template: function(tElement, tAttrs) {
    return getTemplate(tAttrs.content);
}

この時点ではスコープにアクセスできませんが、tAttrsを介して属性にアクセスできます。

これで、コンパイル段階の前にテンプレートが決定され、手動でコンパイルする必要がなくなりました。

114
DRiFTy

次のように非常に簡単に行うこともできます。

appDirectives.directive('contextualMenu', function($state) {
    return {
      restrict: 'E',
      replace: true,
      templateUrl: function(){
        var tpl = $state.current.name;
        return '/app/templates/contextual-menu/'+tpl+'.html';
      }
    };
});
20
eloone

$scope変数に基づいてテンプレートをロードする必要がある場合は、ng-includeを使用してロードできます。

.directive('profile', function() {
  return {
    template: '<ng-include src="getTemplateUrl()"/>',
    scope: {
      user: '=data'
    },
    restrict: 'E',
    controller: function($scope) {
      //function used on the ng-include to resolve the template
      $scope.getTemplateUrl = function() {
        //basic handling
        if ($scope.user.type == 'Twitter') {
          return 'Twitter.tpl.html';
        }
        if ($scope.user.type == 'facebook') {
          return 'facebook.tpl.html';
        }
      }
    }
  };
});

リファレンス: https://coderwall.com/p/onjxng/angular-directives-using-a-dynamic-template

10