angular: как вкладывать шаблоны в теги <pre>?

Кто-нибудь знает, как я могу сделать ng-include из тега 'pre'? Дело в том, что у меня есть веб-сайт с некоторыми блоками кода, а некоторые блоки кода содержат общий код, который я хочу переместить в отдельный фрагмент. Пример:

<pre>
    My page-specific code....
    <ng-include src="'partials/common-code.html'"></ng-include>
</pre>

Излишне говорить, что это не работает, так как тег ng-include появляется буквально в выводе...

Спасибо!

2 ответа

Вы можете сделать с двумя директивами: одна является своего рода ngInclude, другая ждет, пока первая загрузит содержимое, и заменит себя на pre ( http://plnkr.co/edit/fPy4M0ZK94erF31EeObE):

module.directive('myPre', function() {
  return {
    controller: function() {},
    restrict: 'E',
    link: function(scope, element, attrs, controller) {
      controller.checkContent = function() {
        if (!element.children().length) {
          element.replaceWith('<pre>' + element.text() + '</pre>');
        }
      }
    }
  }
})
.directive('myPreTemplate', function($http) {
  return {
    require: '^myPre',
    restrict: 'E',
    link: function(scope, element, attrs, myPre) {
      $http.get(attrs.src).then(function(res) {
        element.replaceWith(res.data);
        myPre.checkContent();
      });
    }
  }
});

И вы можете использовать его как здесь:

<my-pre>
  Code here...
  <my-pre-template src="common.html"></my-pre-template>
  ...and here...
  <my-pre-template src="common.html"></my-pre-template>
  ...and here again
</my-pre>

РЕДАКТИРОВАТЬ: для визуализации содержимого общего шаблона лучше всего использовать усы ( обновленный плункер):

...
$http.get(attrs.src).then(function(res) {
  var rendered = Mustache.render(res, scope);
  element.replaceWith(rendered);
  myPre.checkContent();
});
...

Я смог решить ее, основываясь на вашей идее использования пользовательской директивы верхнего уровня, но с использованием другого значения: я использую алгоритм BFS, в котором каждый цикл дайджеста я пытаюсь скомпилировать любые прямые предварительные включения. Каждую итерацию я жду до тех пор, пока счетчик включений не станет равным нулю, прежде чем проверять, нужен ли нам еще один цикл (используя scope.$ Watch). После этого я компилирую весь my-pre для разрешения любого {{xxxx}} и преобразую его в pre. Рабочий планкр

// simulate a 3d party highligther (tested with HLJS)
.directive('myHighlighter', function($compile, $timeout) {
      return {
        restrict: 'E',
        controller: function() {},
        link: function(scope, element, attrs, controller) {
          // wait for the end of the digest:
          $timeout(function() {
          $(element).replaceWith($('<pre>' + element.text() + '</pre>'));
         });
        }
      }
})

// myPre will conert itself to the custom highlighter once done compiling:
.directive('myPre', function($compile, $timeout) {
      return {
        restrict: 'E',
        controller: function() {},
        link: { 
          pre: function(scope, element, attrs, controller) {
          // limit the total inclusions allowed to avoid loops:
          scope.it = 100;
          // count inclusions:
          scope.incCount = 0;

            scope.$watch('incCount', function(newVal, oldVal, scope) {
              if (oldVal !== newVal && newVal === 0) {
                  // watch the include tag count. When it's zero,
                  // see if we need another BFS pass for sub-children:
                var children = $('pre-include', element).length;
              if (children !== 0) {
                $compile(element)(scope);
              } else {
                  // If not, build the highlighter and we're done:
                var e2 = $('<my-highlighter>' + element.html() + '</my-highlighter>');
                $(element).replaceWith(e2);
                $compile(e2)(scope);
              }
              }
            }); 
          },
          post: function(scope, element, attrs, controller) { 
          }
        }
      }
})

.directive('preInclude', function($templateRequest, $compile) {
  return {
    link: { 
      pre: function(scope, element, attrs, myPre) {
          scope.incCount++;
      }, 
      post: function(scope, element, attrs, myPre, transclude) {
        scope.it--;
        if (scope.it <= 0) {
          console.log("max iterations reached, stopping");
          return;
        }
        // enqueue the inclusion in the BFS queue:
        $templateRequest(attrs.src).then(function(data) {
          element.replaceWith(data);
          scope.incCount--;
        });
      }
    }
  };
})
Другие вопросы по тегам