Angular HTML binding Angular HTML binding angular angular

Angular HTML binding


The correct syntax is the following:

<div [innerHTML]="theHtmlString"></div>

Documentation Reference


Angular 2.0.0 and Angular 4.0.0 final

For safe content just

<div [innerHTML]="myVal"></div>

DOMSanitizer

Potential unsafe HTML needs to be explicitly marked as trusted using Angulars DOM sanitizer so doesn't strip potentially unsafe parts of the content

<div [innerHTML]="myVal | safeHtml"></div>

with a pipe like

@Pipe({name: 'safeHtml'})export class Safe {  constructor(private sanitizer:DomSanitizer){}  transform(style) {    return this.sanitizer.bypassSecurityTrustHtml(style);    //return this.sanitizer.bypassSecurityTrustStyle(style);    // return this.sanitizer.bypassSecurityTrustXxx(style); - see docs  }}

See also In RC.1 some styles can't be added using binding syntax

And docs: https://angular.io/api/platform-browser/DomSanitizer

Security warning

Trusting user added HTML may pose a security risk. The before mentioned docs state:

Calling any of the bypassSecurityTrust... APIs disables Angular's built-in sanitization for the value passed in. Carefully check and audit all values and code paths going into this call. Make sure any user data is appropriately escaped for this security context. For more detail, see the Security Guide.

Angular markup

Something like

class FooComponent {  bar = 'bar';  foo = `<div>{{bar}}</div>    <my-comp></my-comp>    <input [(ngModel)]="bar">`;

with

<div [innerHTML]="foo"></div>

won't cause Angular to process anything Angular-specific in foo.Angular replaces Angular specific markup at build time with generated code. Markup added at runtime won't be processed by Angular.

To add HTML that contains Angular-specific markup (property or value binding, components, directives, pipes, ...) it is required to add the dynamic module and compile components at runtime.This answer provides more details How can I use/create dynamic template to compile dynamic Component with Angular 2.0?


[innerHtml] is great option in most cases, but it fails with really large strings or when you need hard-coded styling in html.

I would like to share other approach:

All you need to do, is to create a div in your html file and give it some id:

<div #dataContainer></div>

Then, in your Angular 2 component, create reference to this object (TypeScript here):

import { Component, ViewChild, ElementRef } from '@angular/core';@Component({    templateUrl: "some html file"})export class MainPageComponent {    @ViewChild('dataContainer') dataContainer: ElementRef;    loadData(data) {        this.dataContainer.nativeElement.innerHTML = data;    }}

Then simply use loadData function to append some text to html element.

It's just a way that you would do it using native javascript, but in Angular environment. I don't recommend it, because makes code more messy, but sometimes there is no other option.

See also Angular 2 - innerHTML styling