How should I escape strings in JSON? How should I escape strings in JSON? java java

How should I escape strings in JSON?


Ideally, find a JSON library in your language that you can feed some appropriate data structure to, and let it worry about how to escape things. It'll keep you much saner. If for whatever reason you don't have a library in your language, you don't want to use one (I wouldn't suggest this¹), or you're writing a JSON library, read on.

Escape it according to the RFC. JSON is pretty liberal: The only characters you must escape are \, ", and control codes (anything less than U+0020).

This structure of escaping is specific to JSON. You'll need a JSON specific function. All of the escapes can be written as \uXXXX where XXXX is the UTF-16 code unit¹ for that character. There are a few shortcuts, such as \\, which work as well. (And they result in a smaller and clearer output.)

For full details, see the RFC.

¹JSON's escaping is built on JS, so it uses \uXXXX, where XXXX is a UTF-16 code unit. For code points outside the BMP, this means encoding surrogate pairs, which can get a bit hairy. (Or, you can just output the character directly, since JSON's encoded for is Unicode text, and allows these particular characters.)


Extract From Jettison:

 public static String quote(String string) {         if (string == null || string.length() == 0) {             return "\"\"";         }         char         c = 0;         int          i;         int          len = string.length();         StringBuilder sb = new StringBuilder(len + 4);         String       t;         sb.append('"');         for (i = 0; i < len; i += 1) {             c = string.charAt(i);             switch (c) {             case '\\':             case '"':                 sb.append('\\');                 sb.append(c);                 break;             case '/': //                if (b == '<') {                     sb.append('\\'); //                }                 sb.append(c);                 break;             case '\b':                 sb.append("\\b");                 break;             case '\t':                 sb.append("\\t");                 break;             case '\n':                 sb.append("\\n");                 break;             case '\f':                 sb.append("\\f");                 break;             case '\r':                sb.append("\\r");                break;             default:                 if (c < ' ') {                     t = "000" + Integer.toHexString(c);                     sb.append("\\u" + t.substring(t.length() - 4));                 } else {                     sb.append(c);                 }             }         }         sb.append('"');         return sb.toString();     }


Try this org.codehaus.jettison.json.JSONObject.quote("your string").

Download it here: http://mvnrepository.com/artifact/org.codehaus.jettison/jettison