Home >Web Front-end >JS Tutorial >How to Safely Render HTML Fragments in AngularJS Views?
In AngularJS, it is possible to create HTML fragments in the controller and have them rendered in the view. This can be useful for dynamically generating lists or other complex UI elements.
To achieve this, first create a model property to hold the HTML fragment. In the example below, we create a "customHtml" property:
var SomeController = function () { this.customHtml = '<ul><li>render me please</li></ul>'; }
Next, use the ng-bind-html directive in the view to bind the customHtml property to an element:
<div ng-bind-html="customHtml"></div>
However, AngularJS will render the HTML as a string within quotes, as it treats it as unsafe for sanitization purposes. To resolve this, you can either use the $sce service or include the ngSanitize module.
Using $sce
First, inject the $sce service into the controller:
app.controller('SomeController', function($sce) { // ... });
Then, use the $sce.trustAsHtml() method to convert the HTML string to a safe format:
this.customHtml = $sce.trustAsHtml(someHtmlVar);
Using ngSanitize
To use ngSanitize, first include the angular-sanitize.min.js script:
<script src="lib/angular/angular-sanitize.min.js"></script>
Then, include ngSanitize as a dependency in your AngularJS module:
angular.module('myApp', ['myApp.filters', 'myApp.services', 'myApp.directives', 'ngSanitize'])
With ngSanitize, you can directly assign the HTML string to the model property:
this.customHtml = someHtmlVar;
Both methods allow you to dynamically generate and render HTML fragments in the view, providing greater flexibility in your AngularJS applications.
The above is the detailed content of How to Safely Render HTML Fragments in AngularJS Views?. For more information, please follow other related articles on the PHP Chinese website!