Java examples for XML:XML String Escape
Escape XML special characters for attribute values.
//package com.java2s; public class Main { public static void main(String[] argv) throws Exception { String text = "java2s.com"; System.out.println(escapeAttr(text)); }/*from w w w . ja v a2 s .c o m*/ /** Escape XML special characters for attribute values. This assumes that the attribute will be quotes with ", it does not escape '. Also strips invalid XML characters. */ public static String escapeAttr(String text) { int len = text.length(); StringBuilder result = new StringBuilder(len); for (int i = 0; i < len; ++i) { char c = text.charAt(i); if (isInvalidXml(c)) continue; switch (c) { case '>': result.append(">"); break; case '<': result.append("<"); break; case '&': result.append("&"); break; case '"': result.append("""); break; default: result.append(c); } } return result.toString(); } /** See http://www.w3.org/TR/2000/REC-xml-20001006#NT-Char */ private static boolean isInvalidXml(char c) { return !(c == 0x9 || c == 0xA || c == 0xD || (c >= 0x20 && c <= 0xD7FF) || (c >= 0xE000 && c <= 0xFFFD) || (c >= 0x10000 && c <= 0x10FFFF)); } }