I am building a site that illustrates common application vulnerabilities such as SQL Injection. I am using AngularJS and highlight.js to creat
In the jsfiddle you have provided you're using angular-highlightjs which in your case basically:
include
directive applies $compile
Afterwards no highglighting takes place - in particular even when interpolated content changes.
One way to solve it is to use source
directive from angular-highlightjs
which is observed but I think it's simpler to build a custom directive.
The trick here is to manually interpolate and highlight content. I've updated your fiddle with a simplistic highlight
directive that presents the idea:
app.directive('highlight', function($interpolate, $window){
return {
restrict: 'EA',
scope: true,
compile: function (tElem, tAttrs) {
var interpolateFn = $interpolate(tElem.html(), true);
tElem.html(''); // stop automatic intepolation
return function(scope, elem, attrs){
scope.$watch(interpolateFn, function (value) {
elem.html(hljs.highlight('sql',value).value);
});
}
}
};
});
A simpler way I just found is to use a filter:
app.filter('highlight', function($sce) {
return function(input, lang) {
if (lang && input) return hljs.highlight(lang, input).value;
return input;
}
}).filter('unsafe', function($sce) { return $sce.trustAsHtml; })
Then you can say:
<pre><code ng-bind-html="someScopeVariable | highlight | unsafe"></code></pre>
The $sce needs to be injected into your app, and tells Angular to display the HTML raw - that you trust it.