HTML Entity Parser

HTML entity parser is the parser that takes HTML code as input and replace all the entities of the special characters by the characters itself.

The special characters and their entities for HTML are:

Given the input text string to the HTML parser, you have to implement the entity parser.

Return the text after replacing the entities by the special characters.

 

Example 1:

Input: text = "& is an HTML entity but &ambassador; is not."
Output: "& is an HTML entity but &ambassador; is not."
Explanation: The parser will replace the & entity by &

Example 2:

Input: text = "and I quote: "...""
Output: "and I quote: \"...\""

Example 3:

Input: text = "Stay home! Practice on Leetcode :)"
Output: "Stay home! Practice on Leetcode :)"

Example 4:

Input: text = "x > y && x < y is always false"
Output: "x > y && x < y is always false"

Example 5:

Input: text = "leetcode.com&frasl;problemset&frasl;all"
Output: "leetcode.com/problemset/all"

 

Constraints:


Solution:

class Solution {
    public String entityParser(String text) {
        StringBuilder sb = new StringBuilder();
        for (int i = 0; i < text.length(); i ++) {
            char c = text.charAt(i);
            if (c == '&') {
                int colon = text.indexOf(';', i);
                if (colon != -1) {
                    String mid = text.substring(i + 1, colon);
                    if (mid.equals("quot")) {
                        sb.append("\"");
                        i = colon;
                    } else if (mid.equals("apos")) {
                        sb.append("'");
                        i = colon;
                    } else if (mid.equals("amp")) {
                        sb.append("&");
                        i = colon;
                    } else if (mid.equals("gt")) {
                        sb.append(">");
                        i = colon;
                    } else if (mid.equals("lt")) {
                        sb.append("<");
                        i = colon;
                    } else if (mid.equals("frasl")) {
                        sb.append("/");
                        i = colon;
                    } else {
                        sb.append(c);
                    }
                } else {
                    sb.append(c);
                }
            } else {
                sb.append(c);
            }
        }
        return sb.toString();
    }
}