package com.intellectualcrafters.json;
import java.io.IOException;
import java.io.StringWriter;
import java.io.Writer;
import java.lang.reflect.Field;
import java.lang.reflect.Method;
import java.lang.reflect.Modifier;
import java.util.Collection;
import java.util.Enumeration;
import java.util.HashMap;
import java.util.Iterator;
import java.util.Locale;
import java.util.Map;
import java.util.Map.Entry;
import java.util.ResourceBundle;
import java.util.Set;
/**
* A JSONObject is an unordered collection of name/value pairs. Its external form is a string wrapped in curly braces
* with colons between the names and values, and commas between the values and names. The internal form is an object
* having get and opt methods for accessing the values by name, and put methods
* for adding or replacing values by name. The values can be any of these types: Boolean,
* JSONArray, JSONObject, Number, String, or the
* JSONObject.NULL object. A JSONObject constructor can be used to convert an external form JSON text into
* an internal form whose values can be retrieved with the get and opt methods, or to convert
* values into a JSON text using the put and toString methods. A get method
* returns a value if one can be found, and throws an exception if one cannot be found. An opt method
* returns a default value instead of throwing an exception, and so is useful for obtaining optional values.
*
* The generic get() and opt() methods return an object, which you can cast or query for type.
* There are also typed get and opt methods that do type checking and type coercion for you.
* The opt methods differ from the get methods in that they do not throw. Instead, they return a specified value, such
* as null.
*
* The put methods add or replace values in an object. For example,
*
*
*
* myString = new JSONObject().put("JSON", "Hello, World!").toString();
*
*
* produces the string {"JSON": "Hello, World"}.
*
* The texts produced by the toString methods strictly conform to the JSON syntax rules. The constructors
* are more forgiving in the texts they will accept:
An extra , (comma) may
* appear just before the closing brace.
Strings may be quoted with ' (single
* quote).
Strings do not need to be quoted at all if they do not begin with a quote or single quote,
* and if they do not contain leading or trailing spaces, and if they do not contain any of these characters: { }
* [ ] / \ : , # and if they do not look like numbers and if they are not the reserved words true,
* false, or null.
*
* @author JSON.org
* @version 2014-05-03
*/
public class JSONObject {
/**
* It is sometimes more convenient and less ambiguous to have a NULL object than to use Java's
* null value. JSONObject.NULL.equals(null) returns true.
* JSONObject.NULL.toString() returns "null".
*/
public static final Object NULL = new Null();
/**
* The map where the JSONObject's properties are kept.
*/
private final Map map;
/**
* Construct an empty JSONObject.
*/
public JSONObject() {
this.map = new HashMap();
}
/**
* Construct a JSONObject from a subset of another JSONObject. An array of strings is used to identify the keys that
* should be copied. Missing keys are ignored.
*
* @param jo A JSONObject.
* @param names An array of strings.
*
* @throws JSONException
* @throws JSONException If a value is a non-finite number or if a name is duplicated.
*/
public JSONObject(final JSONObject jo, final String[] names) {
this();
for (final String name : names) {
try {
this.putOnce(name, jo.opt(name));
} catch (final Exception ignore) {
}
}
}
/**
* Construct a JSONObject from a JSONTokener.
*
* @param x A JSONTokener object containing the source string.
*
* @throws JSONException If there is a syntax error in the source string or a duplicated key.
*/
public JSONObject(final JSONTokener x) throws JSONException {
this();
char c;
String key;
if (x.nextClean() != '{') {
throw x.syntaxError("A JSONObject text must begin with '{'");
}
for (;;) {
c = x.nextClean();
switch (c) {
case 0:
throw x.syntaxError("A JSONObject text must end with '}'");
case '}':
return;
default:
x.back();
key = x.nextValue().toString();
}
// The key is followed by ':'.
c = x.nextClean();
if (c != ':') {
throw x.syntaxError("Expected a ':' after a key");
}
this.putOnce(key, x.nextValue());
// Pairs are separated by ','.
switch (x.nextClean()) {
case ';':
case ',':
if (x.nextClean() == '}') {
return;
}
x.back();
break;
case '}':
return;
default:
throw x.syntaxError("Expected a ',' or '}'");
}
}
}
/**
* Construct a JSONObject from a Map.
*
* @param map A map object that can be used to initialize the contents of the JSONObject.
*
* @throws JSONException
*/
public JSONObject(final Map map) {
this.map = new HashMap();
if (map != null) {
for (final Entry entry : map.entrySet()) {
final Object value = entry.getValue();
if (value != null) {
this.map.put(entry.getKey(), wrap(value));
}
}
}
}
/**
* Construct a JSONObject from an Object using bean getters. It reflects on all of the public methods of the object.
* For each of the methods with no parameters and a name starting with "get" or "is"
* followed by an uppercase letter, the method is invoked, and a key and the value returned from the getter method
* are put into the new JSONObject.
*
* The key is formed by removing the "get" or "is" prefix. If the second remaining
* character is not upper case, then the first character is converted to lower case.
*
* For example, if an object has a method named "getName", and if the result of calling
* object.getName() is "Larry Fine", then the JSONObject will contain "name": "Larry
* Fine".
*
* @param bean An object that has getter methods that should be used to make a JSONObject.
*/
public JSONObject(final Object bean) {
this();
this.populateMap(bean);
}
/**
* Construct a JSONObject from an Object, using reflection to find the public members. The resulting JSONObject's
* keys will be the strings from the names array, and the values will be the field values associated with those keys
* in the object. If a key is not found or not visible, then it will not be copied into the new JSONObject.
*
* @param object An object that has fields that should be used to make a JSONObject.
* @param names An array of strings, the names of the fields to be obtained from the object.
*/
public JSONObject(final Object object, final String names[]) {
this();
final Class c = object.getClass();
for (final String name : names) {
try {
this.putOpt(name, c.getField(name).get(object));
} catch (final Exception ignore) {
}
}
}
/**
* Construct a JSONObject from a source JSON text string. This is the most commonly used JSONObject constructor.
*
* @param source A string beginning with { (left brace) and ending with
* } (right brace).
*
* @throws JSONException If there is a syntax error in the source string or a duplicated key.
*/
public JSONObject(final String source) throws JSONException {
this(new JSONTokener(source));
}
/**
* Construct a JSONObject from a ResourceBundle.
*
* @param baseName The ResourceBundle base name.
* @param locale The Locale to load the ResourceBundle for.
*
* @throws JSONException If any JSONExceptions are detected.
*/
public JSONObject(final String baseName, final Locale locale) throws JSONException {
this();
final ResourceBundle bundle = ResourceBundle.getBundle(baseName, locale, Thread.currentThread().getContextClassLoader());
// Iterate through the keys in the bundle.
final Enumeration keys = bundle.getKeys();
while (keys.hasMoreElements()) {
final Object key = keys.nextElement();
if (key != null) {
// Go through the path, ensuring that there is a nested
// JSONObject for each
// segment except the last. Add the value using the last
// segment's name into
// the deepest nested JSONObject.
final String[] path = ((String) key).split("\\.");
final int last = path.length - 1;
JSONObject target = this;
for (int i = 0; i < last; i += 1) {
final String segment = path[i];
JSONObject nextTarget = target.optJSONObject(segment);
if (nextTarget == null) {
nextTarget = new JSONObject();
target.put(segment, nextTarget);
}
target = nextTarget;
}
target.put(path[last], bundle.getString((String) key));
}
}
}
/**
* Produce a string from a double. The string "null" will be returned if the number is not finite.
*
* @param d A double.
*
* @return A String.
*/
public static String doubleToString(final double d) {
if (Double.isInfinite(d) || Double.isNaN(d)) {
return "null";
}
// Shave off trailing zeros and decimal point, if possible.
String string = Double.toString(d);
if ((string.indexOf('.') > 0) && (string.indexOf('e') < 0) && (string.indexOf('E') < 0)) {
while (string.endsWith("0")) {
string = string.substring(0, string.length() - 1);
}
if (string.endsWith(".")) {
string = string.substring(0, string.length() - 1);
}
}
return string;
}
/**
* Get an array of field names from a JSONObject.
*
* @return An array of field names, or null if there are no names.
*/
public static String[] getNames(final JSONObject jo) {
final int length = jo.length();
if (length == 0) {
return null;
}
final Iterator iterator = jo.keys();
final String[] names = new String[length];
int i = 0;
while (iterator.hasNext()) {
names[i] = iterator.next();
i += 1;
}
return names;
}
/**
* Get an array of field names from an Object.
*
* @return An array of field names, or null if there are no names.
*/
public static String[] getNames(final Object object) {
if (object == null) {
return null;
}
final Class klass = object.getClass();
final Field[] fields = klass.getFields();
final int length = fields.length;
if (length == 0) {
return null;
}
final String[] names = new String[length];
for (int i = 0; i < length; i += 1) {
names[i] = fields[i].getName();
}
return names;
}
/**
* Produce a string from a Number.
*
* @param number A Number
*
* @return A String.
*
* @throws JSONException If n is a non-finite number.
*/
public static String numberToString(final Number number) throws JSONException {
if (number == null) {
throw new JSONException("Null pointer");
}
testValidity(number);
// Shave off trailing zeros and decimal point, if possible.
String string = number.toString();
if ((string.indexOf('.') > 0) && (string.indexOf('e') < 0) && (string.indexOf('E') < 0)) {
while (string.endsWith("0")) {
string = string.substring(0, string.length() - 1);
}
if (string.endsWith(".")) {
string = string.substring(0, string.length() - 1);
}
}
return string;
}
/**
* Produce a string in double quotes with backslash sequences in all the right places. A backslash will be inserted
* control character or an unescaped quote or backslash.
*
* @param string A String
*
* @return A String correctly formatted for insertion in a JSON text.
*/
public static String quote(final String string) {
final StringWriter sw = new StringWriter();
synchronized (sw.getBuffer()) {
try {
return quote(string, sw).toString();
} catch (final IOException ignored) {
// will never happen - we are writing to a string writer
return "";
}
}
}
public static Writer quote(final String string, final Writer w) throws IOException {
if ((string == null) || (string.length() == 0)) {
w.write("\"\"");
return w;
}
char b;
char c = 0;
String hhhh;
int i;
final int len = string.length();
w.write('"');
for (i = 0; i < len; i += 1) {
b = c;
c = string.charAt(i);
switch (c) {
case '\\':
case '"':
w.write('\\');
w.write(c);
break;
case '/':
if (b == '<') {
w.write('\\');
}
w.write(c);
break;
case '\b':
w.write("\\b");
break;
case '\t':
w.write("\\t");
break;
case '\n':
w.write("\\n");
break;
case '\f':
w.write("\\f");
break;
case '\r':
w.write("\\r");
break;
default:
if ((c < ' ') || ((c >= '\u0080') && (c < '\u00a0')) || ((c >= '\u2000') && (c < '\u2100'))) {
w.write("\\u");
hhhh = Integer.toHexString(c);
w.write("0000", 0, 4 - hhhh.length());
w.write(hhhh);
} else {
w.write(c);
}
}
}
w.write('"');
return w;
}
/**
* Try to convert a string into a number, boolean, or null. If the string can't be converted, return the string.
*
* @param string A String.
*
* @return A simple JSON value.
*/
public static Object stringToValue(final String string) {
Double d;
if (string.equals("")) {
return string;
}
if (string.equalsIgnoreCase("true")) {
return Boolean.TRUE;
}
if (string.equalsIgnoreCase("false")) {
return Boolean.FALSE;
}
if (string.equalsIgnoreCase("null")) {
return JSONObject.NULL;
}
/*
* If it might be a number, try converting it. If a number cannot be
* produced, then the value will just be a string.
*/
final char b = string.charAt(0);
if (((b >= '0') && (b <= '9')) || (b == '-')) {
try {
if ((string.indexOf('.') > -1) || (string.indexOf('e') > -1) || (string.indexOf('E') > -1)) {
d = Double.valueOf(string);
if (!d.isInfinite() && !d.isNaN()) {
return d;
}
} else {
final Long myLong = new Long(string);
if (string.equals(myLong.toString())) {
if (myLong == myLong.intValue()) {
return myLong.intValue();
} else {
return myLong;
}
}
}
} catch (final Exception ignore) {
}
}
return string;
}
/**
* Throw an exception if the object is a NaN or infinite number.
*
* @param o The object to test.
*
* @throws JSONException If o is a non-finite number.
*/
public static void testValidity(final Object o) throws JSONException {
if (o != null) {
if (o instanceof Double) {
if (((Double) o).isInfinite() || ((Double) o).isNaN()) {
throw new JSONException("JSON does not allow non-finite numbers.");
}
} else if (o instanceof Float) {
if (((Float) o).isInfinite() || ((Float) o).isNaN()) {
throw new JSONException("JSON does not allow non-finite numbers.");
}
}
}
}
/**
* Make a JSON text of an Object value. If the object has an value.toJSONString() method, then that method will be
* used to produce the JSON text. The method is required to produce a strictly conforming text. If the object does
* not contain a toJSONString method (which is the most common case), then a text will be produced by other means.
* If the value is an array or Collection, then a JSONArray will be made from it and its toJSONString method will be
* called. If the value is a MAP, then a JSONObject will be made from it and its toJSONString method will be called.
* Otherwise, the value's toString method will be called, and the result will be quoted.
*
*
* Warning: This method assumes that the data structure is acyclical.
*
* @param value The value to be serialized.
*
* @return a printable, displayable, transmittable representation of the object, beginning with
* { (left brace) and ending with } (right
* brace).
*
* @throws JSONException If the value is or contains an invalid number.
*/
public static String valueToString(final Object value) throws JSONException {
if ((value == null) || value.equals(null)) {
return "null";
}
if (value instanceof JSONString) {
Object object;
try {
object = ((JSONString) value).toJSONString();
} catch (final Exception e) {
throw new JSONException(e);
}
if (object instanceof String) {
return (String) object;
}
throw new JSONException("Bad value from toJSONString: " + object);
}
if (value instanceof Number) {
return numberToString((Number) value);
}
if ((value instanceof Boolean) || (value instanceof JSONObject) || (value instanceof JSONArray)) {
return value.toString();
}
if (value instanceof Map) {
return new JSONObject((Map) value).toString();
}
if (value instanceof Collection) {
return new JSONArray((Collection