DEV Community

Cover image for Understanding dangerouslySetInnerHTML in React: A Complete Guide
Sarthak Niranjan for CodeParrot

Posted on • Originally published at codeparrot.ai

Understanding dangerouslySetInnerHTML in React: A Complete Guide

In React, dangerouslySetInnerHTML lets you insert raw HTML directly into components, ideal for handling external HTML content. Though powerful, this property comes with security risks. By knowing when and how to use it, developers can achieve dynamic rendering without compromising safety.

dangerouslySetInnerHTML Image

What is dangerouslySetInnerHTML?

It is a property in React replaces the traditional innerHTML attribute used in the browser DOM. It allows React to set HTML content directly on elements, enhancing performance by bypassing virtual DOM comparisons. However, its use demands caution, especially when handling third-party data or user-generated content.

One notable advantage over innerHTML is that it integrates with React's rendering process, bypassing virtual DOM comparisons for the specific element where it’s applied. This can boost performance by preventing unnecessary re-renders for that element’s content, especially useful for elements that frequently update with static HTML.

But Why is it Called “dangerouslySetInnerHTML”?

The name serves as a clear warning: using it can expose your application to cross-site scripting (XSS) attacks. XSS vulnerabilities allow attackers to inject malicious scripts into web pages, which can then execute within users' browsers. There are three main types of XSS attacks:

  • Stored XSS: This occurs when a script is saved on the server (like in a database) and later loaded into a page, potentially affecting many users.
  • Reflected XSS: Here, the script is reflected off a server and executed in the user's browser, often as part of a search result or error message.
  • DOM-Based XSS: The exploit is embedded within client-side code, using the DOM to launch attacks directly in the browser.

Using dangerouslySetInnerHTML can be risky, especially if data is fetched from third-party sources or user-generated content is rendered. The property name serves as a reminder to handle HTML content carefully to protect against these potential vulnerabilities.

When to Use dangerouslySetInnerHTML?

While it comes with security risks, it can be incredibly useful when used correctly in specific scenarios. One common use case is when you need to display HTML content generated by a rich text editor, where users can style text with tags like <b>, <p>, or <img>. In these cases, the output is raw HTML that requires proper rendering to maintain the intended formatting.

Consider this example where a piece of HTML content, lorem <b>ipsum</b>, needs to be displayed. Without dangerouslySetInnerHTML, the HTML tags will be displayed as plain text, ignoring the <b> tag's intent to make “ipsum” bold:

const App = () => {
  const data = 'lorem <b>ipsum</b>';

  return (
    <div>
      {data}
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

The above code would display lorem <b>ipsum</b> as plain text. However, by using dangerouslySetInnerHTML, React recognizes and renders the HTML tags correctly:

const App = () => {
  const data = 'lorem <b>ipsum</b>';

  return (
    <div
      dangerouslySetInnerHTML={{ __html: data }}
    />
  );
}
Enter fullscreen mode Exit fullscreen mode

In this case, the text will display as lorem ipsum, with “ipsum” in bold. This approach is helpful when embedding HTML content directly, particularly in user-generated content or from third-party sources.

Practical Use Case:

Imagine you're building a blog platform where users can add comments with basic formatting, like bold or italic text, using a rich text editor. The editor outputs HTML directly, and you want the comment to display exactly as the user formatted it.

const Comment = ({ commentText }) => {
  return (
    <div dangerouslySetInnerHTML={{ __html: commentText }} />
  );
};
export default Comment;
Enter fullscreen mode Exit fullscreen mode

We can now use this Comment component as follows:

<Comment commentText="<p>This is an <strong>important</strong> comment!</p>" />
Enter fullscreen mode Exit fullscreen mode

Here, without dangerouslySetInnerHTML, the HTML tags in commentText (like <strong>) would be rendered as plain text. By using it, React knows to treat the HTML tags within commentText as part of the structure, so "important" appears bold.

What Are Some Safer Alternatives?

While dangerouslySetInnerHTML is a quick solution for embedding raw HTML in React, using safer alternatives can help prevent security vulnerabilities like XSS attacks. Here are some recommended methods to keep your HTML rendering secure without compromising functionality.

Using HTML Sanitization Libraries

Sanitizing HTML ensures that only safe elements and attributes are rendered, stripping out potentially harmful code. Here are two popular libraries for this purpose:

1. DOMPurify

DOMPurify is a powerful library specifically designed to clean and sanitize HTML. It removes potentially dangerous elements like inline scripts or event listeners, making it an effective defense against XSS attacks.

  • Advantages: Strong protection against XSS, easy to integrate with React, and frequently updated.
  • Considerations: Some overhead due to sanitization, which may affect performance in complex application.

Consider the following example:

import DOMPurify from 'dompurify';
const App = () => {
  const userComment = `<p>Check out my <a href="#" onClick="alert('Gotcha!')">profile</a></p>`;
  const sanitizedContent = { __html: DOMPurify.sanitize(userComment) };

  return (
    <div dangerouslySetInnerHTML={sanitizedContent} />
  );
};
export default App;
Enter fullscreen mode Exit fullscreen mode

In this example, DOMPurify.sanitize(userComment) removes any potentially harmful code, such as the onClick event, ensuring only safe HTML is rendered.

2. Sanitizer.js

Sanitizer.js is another tool for safely rendering HTML by filtering out malicious code. It is customizable, allowing you to control the types of tags and attributes that are allowed.

  • Advantages: Provides thorough XSS protection, adaptable to various security levels.
  • Considerations: May require additional configuration and has less support than DOMPurify.

Example Usage:

import { sanitize } from 'sanitizer';
const App = () => {
  const message = `<img src="image.jpg" onerror="alert('Malicious code!')" alt="Profile">`;
  const sanitizedMessage = { __html: sanitize(message) };

  return (
    <div dangerouslySetInnerHTML={sanitizedMessage} />
  );
};
export default App;
Enter fullscreen mode Exit fullscreen mode

This example ensures that any unsafe code within the message string is removed before rendering, reducing the chance of XSS vulnerabilities.

Best Practices for Secure HTML Content Generation

When embedding HTML directly into your React application, it’s essential to follow security best practices to prevent vulnerabilities. Here are some key strategies to enhance security when working with user-generated or external HTML:

  1. Escape HTML Content: Convert potentially dangerous characters (like < and >) into harmless entities to prevent script execution. Many server frameworks offer built-in functions to escape HTML, protecting against injection attacks.
  2. Validate User Input: Validate user data server-side to filter out any unsafe content. This reduces the risk of malicious code and allows only expected data types and formats. Limit permitted tags and attributes to minimize security risks.
  3. Use Trusted Sources: Only display HTML from verified, reliable sources. Avoid rendering raw HTML from unknown origins to reduce exposure to malicious code. For user-generated content, always validate and sanitize before rendering.
  4. Implement a Content Security Policy (CSP): A CSP restricts the sources of scripts and resources, preventing unauthorized scripts from running. Set up a CSP to block inline scripts or content from unverified domains, adding a security layer to your application.
  5. Leverage Sanitization Libraries: Use libraries like DOMPurify to clean HTML automatically, stripping out unsafe tags and attributes while preserving safe ones. This adds an additional layer of security, especially when combined with other best practices.

Conclusion

In conclusion, dangerouslySetInnerHTML provides a way to render raw HTML in React when necessary, such as displaying content from a rich text editor. While it enables dynamic rendering, it's essential to understand and manage the security risks involved, particularly XSS vulnerabilities. By using this property wisely and considering alternatives like DOMPurify for sanitization, you can safely display HTML content. For more details, refer to the official documentation for dangerouslySetInnerHTML.

Top comments (0)