flags) throws IOException{
+ if(jsonSerializable == null){
+ /* When a null is passed in the word null is supported in JSON. */
+ writableDestination.write("null");
+ }else if(((jsonSerializable instanceof Jsonable) && flags.contains(SerializationOptions.ALLOW_JSONABLES))){
+ /* Writes the writable as defined by the writable. */
+ ((Jsonable)jsonSerializable).toJson(writableDestination);
+ }else if(jsonSerializable instanceof String){
+ /* Make sure the string is properly escaped. */
+ writableDestination.write('"');
+ writableDestination.write(Jsoner.escape((String)jsonSerializable));
+ writableDestination.write('"');
+ }else if(jsonSerializable instanceof Character){
+ /* Make sure the string is properly escaped.
+ * Quotes for some reason are necessary for String, but not Character. */
+ writableDestination.write(Jsoner.escape(jsonSerializable.toString()));
+ }else if(jsonSerializable instanceof Double){
+ if(((Double)jsonSerializable).isInfinite() || ((Double)jsonSerializable).isNaN()){
+ /* Infinite and not a number are not supported by the JSON specification, so null is used instead. */
+ writableDestination.write("null");
+ }else{
+ writableDestination.write(jsonSerializable.toString());
+ }
+ }else if(jsonSerializable instanceof Float){
+ if(((Float)jsonSerializable).isInfinite() || ((Float)jsonSerializable).isNaN()){
+ /* Infinite and not a number are not supported by the JSON specification, so null is used instead. */
+ writableDestination.write("null");
+ }else{
+ writableDestination.write(jsonSerializable.toString());
+ }
+ }else if(jsonSerializable instanceof Number){
+ writableDestination.write(jsonSerializable.toString());
+ }else if(jsonSerializable instanceof Boolean){
+ writableDestination.write(jsonSerializable.toString());
+ }else if(jsonSerializable instanceof Map){
+ /* Writes the map in JSON object format. */
+ boolean isFirstEntry = true;
+ @SuppressWarnings("rawtypes")
+ final Iterator entries = ((Map)jsonSerializable).entrySet().iterator();
+ writableDestination.write('{');
+ while(entries.hasNext()){
+ if(isFirstEntry){
+ isFirstEntry = false;
+ }else{
+ writableDestination.write(',');
+ }
+ @SuppressWarnings("rawtypes")
+ final Map.Entry entry = (Map.Entry)entries.next();
+ Jsoner.serialize(entry.getKey(), writableDestination, flags);
+ writableDestination.write(':');
+ Jsoner.serialize(entry.getValue(), writableDestination, flags);
+ }
+ writableDestination.write('}');
+ }else if(jsonSerializable instanceof Collection){
+ /* Writes the collection in JSON array format. */
+ boolean isFirstElement = true;
+ @SuppressWarnings("rawtypes")
+ final Iterator elements = ((Collection)jsonSerializable).iterator();
+ writableDestination.write('[');
+ while(elements.hasNext()){
+ if(isFirstElement){
+ isFirstElement = false;
+ }else{
+ writableDestination.write(',');
+ }
+ Jsoner.serialize(elements.next(), writableDestination, flags);
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof byte[]){
+ /* Writes the array in JSON array format. */
+ final byte[] writableArray = (byte[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(',');
+ }
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof short[]){
+ /* Writes the array in JSON array format. */
+ final short[] writableArray = (short[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(',');
+ }
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof int[]){
+ /* Writes the array in JSON array format. */
+ final int[] writableArray = (int[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(',');
+ }
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof long[]){
+ /* Writes the array in JSON array format. */
+ final long[] writableArray = (long[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(',');
+ }
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof float[]){
+ /* Writes the array in JSON array format. */
+ final float[] writableArray = (float[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(',');
+ }
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof double[]){
+ /* Writes the array in JSON array format. */
+ final double[] writableArray = (double[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(',');
+ }
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof boolean[]){
+ /* Writes the array in JSON array format. */
+ final boolean[] writableArray = (boolean[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(',');
+ }
+ }
+ writableDestination.write(']');
+ }else if(jsonSerializable instanceof char[]){
+ /* Writes the array in JSON array format. */
+ final char[] writableArray = (char[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write("[\"");
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write("\",\"");
+ }
+ }
+ writableDestination.write("\"]");
+ }else if(jsonSerializable instanceof Object[]){
+ /* Writes the array in JSON array format. */
+ final Object[] writableArray = (Object[])jsonSerializable;
+ final int numberOfElements = writableArray.length;
+ writableDestination.write('[');
+ for(int i = 0; i < numberOfElements; i++){
+ if(i == (numberOfElements - 1)){
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ }else{
+ Jsoner.serialize(writableArray[i], writableDestination, flags);
+ writableDestination.write(",");
+ }
+ }
+ writableDestination.write(']');
+ }else{
+ /* It cannot by any measure be safely serialized according to specification. */
+ if(flags.contains(SerializationOptions.ALLOW_INVALIDS)){
+ /* Can be helpful for debugging how it isn't valid. */
+ writableDestination.write(jsonSerializable.toString());
+ }else{
+ /* Notify the caller the cause of failure for the serialization. */
+ throw new IllegalArgumentException("Encountered a: " + jsonSerializable.getClass().getName() + " as: " + jsonSerializable.toString() + " that isn't JSON serializable.\n Try:\n 1) Implementing the Jsonable interface for the object to return valid JSON. If it already does it probably has a bug.\n 2) If you cannot edit the source of the object or couple it with this library consider wrapping it in a class that does implement the Jsonable interface.\n 3) Otherwise convert it to a boolean, null, number, JsonArray, JsonObject, or String value before serializing it.\n 4) If you feel it should have serialized you could use a more tolerant serialization for debugging purposes.");
+ }
+ }
+ }
+
+ /** Serializes like the first version of this library.
+ * It has been adapted to use Jsonable for serializing custom objects, but otherwise works like the old JSON string
+ * serializer. It will allow non-JSON values in its output like the old one. It can be helpful for last resort log
+ * statements and debugging errors in self generated JSON. Anything serialized using this method isn't guaranteed to
+ * be deserializable.
+ * @param jsonSerializable represents the object that should be serialized in JSON format.
+ * @param writableDestination represents where the resulting JSON text is written to.
+ * @throws IOException if the writableDestination encounters an I/O problem, like being closed while in use. */
+ public static void serializeCarelessly(final Object jsonSerializable, final Writer writableDestination) throws IOException{
+ Jsoner.serialize(jsonSerializable, writableDestination, EnumSet.of(SerializationOptions.ALLOW_JSONABLES, SerializationOptions.ALLOW_INVALIDS));
+ }
+
+ /** Serializes JSON values and only JSON values according to the RFC 7159 JSON specification.
+ * @param jsonSerializable represents the object that should be serialized in JSON format.
+ * @param writableDestination represents where the resulting JSON text is written to.
+ * @throws IOException if the writableDestination encounters an I/O problem, like being closed while in use.
+ * @throws IllegalArgumentException if the jsonSerializable isn't serializable in raw JSON. */
+ public static void serializeStrictly(final Object jsonSerializable, final Writer writableDestination) throws IOException{
+ Jsoner.serialize(jsonSerializable, writableDestination, EnumSet.noneOf(SerializationOptions.class));
+ }
+}
diff --git a/src/main/java/com/github/cliftonlabs/json_simple/Yylex.java b/src/main/java/com/github/cliftonlabs/json_simple/Yylex.java
new file mode 100644
index 00000000..e84694d8
--- /dev/null
+++ b/src/main/java/com/github/cliftonlabs/json_simple/Yylex.java
@@ -0,0 +1,780 @@
+// DO NOT EDIT
+// Generated by JFlex 1.8.2 http://jflex.de/
+// source: src/main/lex/jsonstrict.lex
+
+package com.github.cliftonlabs.json_simple;
+
+
+// See https://github.com/jflex-de/jflex/issues/222
+@SuppressWarnings("FallThrough")
+class Yylex {
+
+ /** This character denotes the end of file. */
+ public static final int YYEOF = -1;
+
+ /** Initial size of the lookahead buffer. */
+ private static final int ZZ_BUFFERSIZE = 16384;
+
+ // Lexical states.
+ public static final int YYINITIAL = 0;
+ public static final int STRING_BEGIN = 2;
+
+ /**
+ * ZZ_LEXSTATE[l] is the state in the DFA for the lexical state l
+ * ZZ_LEXSTATE[l+1] is the state in the DFA for the lexical state l
+ * at the beginning of a line
+ * l is of the form l = 2*k, k a non negative integer
+ */
+ private static final int ZZ_LEXSTATE[] = {
+ 0, 0, 1, 1
+ };
+
+ /**
+ * Top-level table for translating characters to character classes
+ */
+ private static final int [] ZZ_CMAP_TOP = zzUnpackcmap_top();
+
+ private static final String ZZ_CMAP_TOP_PACKED_0 =
+ "\1\0\327\u0100\10\u0200\u1020\u0100";
+
+ private static int [] zzUnpackcmap_top() {
+ int [] result = new int[4352];
+ int offset = 0;
+ offset = zzUnpackcmap_top(ZZ_CMAP_TOP_PACKED_0, offset, result);
+ return result;
+ }
+
+ private static int zzUnpackcmap_top(String packed, int offset, int [] result) {
+ int i = 0; /* index in packed string */
+ int j = offset; /* index in unpacked array */
+ int l = packed.length();
+ while (i < l) {
+ int count = packed.charAt(i++);
+ int value = packed.charAt(i++);
+ do result[j++] = value; while (--count > 0);
+ }
+ return j;
+ }
+
+
+ /**
+ * Second-level tables for translating characters to character classes
+ */
+ private static final int [] ZZ_CMAP_BLOCKS = zzUnpackcmap_blocks();
+
+ private static final String ZZ_CMAP_BLOCKS_PACKED_0 =
+ "\11\0\2\1\2\0\1\1\22\0\1\1\1\0\1\2"+
+ "\10\0\1\3\1\4\1\5\1\6\1\7\12\10\1\11"+
+ "\6\0\4\12\1\13\1\12\24\0\1\14\1\15\1\16"+
+ "\3\0\1\17\1\20\2\12\1\21\1\22\5\0\1\23"+
+ "\1\0\1\24\3\0\1\25\1\26\1\27\1\30\5\0"+
+ "\1\31\1\0\1\32\u0182\0\u0100\33";
+
+ private static int [] zzUnpackcmap_blocks() {
+ int [] result = new int[768];
+ int offset = 0;
+ offset = zzUnpackcmap_blocks(ZZ_CMAP_BLOCKS_PACKED_0, offset, result);
+ return result;
+ }
+
+ private static int zzUnpackcmap_blocks(String packed, int offset, int [] result) {
+ int i = 0; /* index in packed string */
+ int j = offset; /* index in unpacked array */
+ int l = packed.length();
+ while (i < l) {
+ int count = packed.charAt(i++);
+ int value = packed.charAt(i++);
+ do result[j++] = value; while (--count > 0);
+ }
+ return j;
+ }
+
+ /**
+ * Translates DFA states to action switch labels.
+ */
+ private static final int [] ZZ_ACTION = zzUnpackAction();
+
+ private static final String ZZ_ACTION_PACKED_0 =
+ "\2\0\1\1\1\2\1\3\1\4\1\1\1\5\1\6"+
+ "\1\7\1\10\3\1\1\11\1\12\1\13\1\14\1\15"+
+ "\5\0\1\16\1\17\1\15\1\20\1\21\1\22\1\23"+
+ "\1\24\1\0\1\5\1\0\1\5\4\0\1\25\1\26"+
+ "\2\0\1\27";
+
+ private static int [] zzUnpackAction() {
+ int [] result = new int[45];
+ int offset = 0;
+ offset = zzUnpackAction(ZZ_ACTION_PACKED_0, offset, result);
+ return result;
+ }
+
+ private static int zzUnpackAction(String packed, int offset, int [] result) {
+ int i = 0; /* index in packed string */
+ int j = offset; /* index in unpacked array */
+ int l = packed.length();
+ while (i < l) {
+ int count = packed.charAt(i++);
+ int value = packed.charAt(i++);
+ do result[j++] = value; while (--count > 0);
+ }
+ return j;
+ }
+
+
+ /**
+ * Translates a state to a row index in the transition table
+ */
+ private static final int [] ZZ_ROWMAP = zzUnpackRowMap();
+
+ private static final String ZZ_ROWMAP_PACKED_0 =
+ "\0\0\0\34\0\70\0\124\0\70\0\70\0\160\0\214"+
+ "\0\70\0\70\0\70\0\250\0\304\0\340\0\70\0\70"+
+ "\0\374\0\70\0\u0118\0\u0134\0\u0150\0\u016c\0\u0188\0\u01a4"+
+ "\0\70\0\70\0\70\0\70\0\70\0\70\0\70\0\70"+
+ "\0\u01c0\0\u01dc\0\u01f8\0\u01f8\0\u0214\0\u0230\0\u024c\0\u0268"+
+ "\0\70\0\70\0\u0284\0\u02a0\0\70";
+
+ private static int [] zzUnpackRowMap() {
+ int [] result = new int[45];
+ int offset = 0;
+ offset = zzUnpackRowMap(ZZ_ROWMAP_PACKED_0, offset, result);
+ return result;
+ }
+
+ private static int zzUnpackRowMap(String packed, int offset, int [] result) {
+ int i = 0; /* index in packed string */
+ int j = offset; /* index in unpacked array */
+ int l = packed.length();
+ while (i < l) {
+ int high = packed.charAt(i++) << 16;
+ result[j++] = high | packed.charAt(i++);
+ }
+ return j;
+ }
+
+ /**
+ * The transition table of the DFA
+ */
+ private static final int [] ZZ_TRANS = zzUnpackTrans();
+
+ private static final String ZZ_TRANS_PACKED_0 =
+ "\1\3\1\4\1\5\1\3\1\6\1\7\2\3\1\10"+
+ "\1\11\2\3\1\12\1\3\1\13\3\3\1\14\1\3"+
+ "\1\15\2\3\1\16\1\3\1\17\1\20\1\0\2\21"+
+ "\1\22\12\21\1\23\16\21\35\0\1\4\42\0\1\10"+
+ "\31\0\1\24\1\0\1\10\2\0\1\25\5\0\1\25"+
+ "\31\0\1\26\44\0\1\27\30\0\1\30\6\0\2\21"+
+ "\1\0\12\21\1\0\16\21\2\0\1\31\4\0\1\32"+
+ "\5\0\1\33\2\0\1\34\1\0\1\35\1\0\1\36"+
+ "\1\37\1\0\1\40\1\41\13\0\1\42\26\0\1\43"+
+ "\1\0\1\43\2\0\1\44\46\0\1\45\33\0\1\46"+
+ "\40\0\1\47\13\0\1\50\1\0\2\50\3\0\4\50"+
+ "\21\0\1\42\2\0\1\25\5\0\1\25\22\0\1\44"+
+ "\51\0\1\47\30\0\1\51\31\0\1\52\22\0\1\53"+
+ "\1\0\2\53\3\0\4\53\21\0\1\54\1\0\2\54"+
+ "\3\0\4\54\21\0\1\55\1\0\2\55\3\0\4\55"+
+ "\11\0";
+
+ private static int [] zzUnpackTrans() {
+ int [] result = new int[700];
+ int offset = 0;
+ offset = zzUnpackTrans(ZZ_TRANS_PACKED_0, offset, result);
+ return result;
+ }
+
+ private static int zzUnpackTrans(String packed, int offset, int [] result) {
+ int i = 0; /* index in packed string */
+ int j = offset; /* index in unpacked array */
+ int l = packed.length();
+ while (i < l) {
+ int count = packed.charAt(i++);
+ int value = packed.charAt(i++);
+ value--;
+ do result[j++] = value; while (--count > 0);
+ }
+ return j;
+ }
+
+
+ /** Error code for "Unknown internal scanner error". */
+ private static final int ZZ_UNKNOWN_ERROR = 0;
+ /** Error code for "could not match input". */
+ private static final int ZZ_NO_MATCH = 1;
+ /** Error code for "pushback value was too large". */
+ private static final int ZZ_PUSHBACK_2BIG = 2;
+
+ /**
+ * Error messages for {@link #ZZ_UNKNOWN_ERROR}, {@link #ZZ_NO_MATCH}, and
+ * {@link #ZZ_PUSHBACK_2BIG} respectively.
+ */
+ private static final String ZZ_ERROR_MSG[] = {
+ "Unknown internal scanner error",
+ "Error: could not match input",
+ "Error: pushback value was too large"
+ };
+
+ /**
+ * ZZ_ATTRIBUTE[aState] contains the attributes of state {@code aState}
+ */
+ private static final int [] ZZ_ATTRIBUTE = zzUnpackAttribute();
+
+ private static final String ZZ_ATTRIBUTE_PACKED_0 =
+ "\2\0\1\11\1\1\2\11\2\1\3\11\3\1\2\11"+
+ "\1\1\1\11\1\1\5\0\10\11\1\0\1\1\1\0"+
+ "\1\1\4\0\2\11\2\0\1\11";
+
+ private static int [] zzUnpackAttribute() {
+ int [] result = new int[45];
+ int offset = 0;
+ offset = zzUnpackAttribute(ZZ_ATTRIBUTE_PACKED_0, offset, result);
+ return result;
+ }
+
+ private static int zzUnpackAttribute(String packed, int offset, int [] result) {
+ int i = 0; /* index in packed string */
+ int j = offset; /* index in unpacked array */
+ int l = packed.length();
+ while (i < l) {
+ int count = packed.charAt(i++);
+ int value = packed.charAt(i++);
+ do result[j++] = value; while (--count > 0);
+ }
+ return j;
+ }
+
+ /** Input device. */
+ private java.io.Reader zzReader;
+
+ /** Current state of the DFA. */
+ private int zzState;
+
+ /** Current lexical state. */
+ private int zzLexicalState = YYINITIAL;
+
+ /**
+ * This buffer contains the current text to be matched and is the source of the {@link #yytext()}
+ * string.
+ */
+ private char zzBuffer[] = new char[ZZ_BUFFERSIZE];
+
+ /** Text position at the last accepting state. */
+ private int zzMarkedPos;
+
+ /** Current text position in the buffer. */
+ private int zzCurrentPos;
+
+ /** Marks the beginning of the {@link #yytext()} string in the buffer. */
+ private int zzStartRead;
+
+ /** Marks the last character in the buffer, that has been read from input. */
+ private int zzEndRead;
+
+ /**
+ * Whether the scanner is at the end of file.
+ * @see #yyatEOF
+ */
+ private boolean zzAtEOF;
+
+ /**
+ * The number of occupied positions in {@link #zzBuffer} beyond {@link #zzEndRead}.
+ *
+ * When a lead/high surrogate has been read from the input stream into the final
+ * {@link #zzBuffer} position, this will have a value of 1; otherwise, it will have a value of 0.
+ */
+ private int zzFinalHighSurrogate = 0;
+
+ /** Number of newlines encountered up to the start of the matched text. */
+ @SuppressWarnings("unused")
+ private int yyline;
+
+ /** Number of characters from the last newline up to the start of the matched text. */
+ @SuppressWarnings("unused")
+ private int yycolumn;
+
+ /** Number of characters up to the start of the matched text. */
+ private long yychar;
+
+ /** Whether the scanner is currently at the beginning of a line. */
+ @SuppressWarnings("unused")
+ private boolean zzAtBOL = true;
+
+ /** Whether the user-EOF-code has already been executed. */
+ @SuppressWarnings("unused")
+ private boolean zzEOFDone;
+
+ /* user code: */
+private StringBuilder sb=new StringBuilder();
+
+long getPosition(){
+ return yychar;
+}
+
+
+
+ /**
+ * Creates a new scanner
+ *
+ * @param in the java.io.Reader to read input from.
+ */
+ Yylex(java.io.Reader in) {
+ this.zzReader = in;
+ }
+
+ /**
+ * Translates raw input code points to DFA table row
+ */
+ private static int zzCMap(int input) {
+ int offset = input & 255;
+ return offset == input ? ZZ_CMAP_BLOCKS[offset] : ZZ_CMAP_BLOCKS[ZZ_CMAP_TOP[input >> 8] | offset];
+ }
+
+ /**
+ * Refills the input buffer.
+ *
+ * @return {@code false} iff there was new input.
+ * @exception java.io.IOException if any I/O-Error occurs
+ */
+ private boolean zzRefill() throws java.io.IOException {
+
+ /* first: make room (if you can) */
+ if (zzStartRead > 0) {
+ zzEndRead += zzFinalHighSurrogate;
+ zzFinalHighSurrogate = 0;
+ System.arraycopy(zzBuffer, zzStartRead,
+ zzBuffer, 0,
+ zzEndRead - zzStartRead);
+
+ /* translate stored positions */
+ zzEndRead -= zzStartRead;
+ zzCurrentPos -= zzStartRead;
+ zzMarkedPos -= zzStartRead;
+ zzStartRead = 0;
+ }
+
+ /* is the buffer big enough? */
+ if (zzCurrentPos >= zzBuffer.length - zzFinalHighSurrogate) {
+ /* if not: blow it up */
+ char newBuffer[] = new char[zzBuffer.length * 2];
+ System.arraycopy(zzBuffer, 0, newBuffer, 0, zzBuffer.length);
+ zzBuffer = newBuffer;
+ zzEndRead += zzFinalHighSurrogate;
+ zzFinalHighSurrogate = 0;
+ }
+
+ /* fill the buffer with new input */
+ int requested = zzBuffer.length - zzEndRead;
+ int numRead = zzReader.read(zzBuffer, zzEndRead, requested);
+
+ /* not supposed to occur according to specification of java.io.Reader */
+ if (numRead == 0) {
+ throw new java.io.IOException(
+ "Reader returned 0 characters. See JFlex examples/zero-reader for a workaround.");
+ }
+ if (numRead > 0) {
+ zzEndRead += numRead;
+ if (Character.isHighSurrogate(zzBuffer[zzEndRead - 1])) {
+ if (numRead == requested) { // We requested too few chars to encode a full Unicode character
+ --zzEndRead;
+ zzFinalHighSurrogate = 1;
+ } else { // There is room in the buffer for at least one more char
+ int c = zzReader.read(); // Expecting to read a paired low surrogate char
+ if (c == -1) {
+ return true;
+ } else {
+ zzBuffer[zzEndRead++] = (char)c;
+ }
+ }
+ }
+ /* potentially more input available */
+ return false;
+ }
+
+ /* numRead < 0 ==> end of stream */
+ return true;
+ }
+
+
+ /**
+ * Closes the input reader.
+ *
+ * @throws java.io.IOException if the reader could not be closed.
+ */
+ public final void yyclose() throws java.io.IOException {
+ zzAtEOF = true; // indicate end of file
+ zzEndRead = zzStartRead; // invalidate buffer
+
+ if (zzReader != null) {
+ zzReader.close();
+ }
+ }
+
+
+ /**
+ * Resets the scanner to read from a new input stream.
+ *
+ *
Does not close the old reader.
+ *
+ *
All internal variables are reset, the old input stream cannot be reused (internal
+ * buffer is discarded and lost). Lexical state is set to {@code ZZ_INITIAL}.
+ *
+ *
Internal scan buffer is resized down to its initial length, if it has grown.
+ *
+ * @param reader The new input stream.
+ */
+ public final void yyreset(java.io.Reader reader) {
+ zzReader = reader;
+ zzEOFDone = false;
+ yyResetPosition();
+ zzLexicalState = YYINITIAL;
+ if (zzBuffer.length > ZZ_BUFFERSIZE) {
+ zzBuffer = new char[ZZ_BUFFERSIZE];
+ }
+ }
+
+ /**
+ * Resets the input position.
+ */
+ private final void yyResetPosition() {
+ zzAtBOL = true;
+ zzAtEOF = false;
+ zzCurrentPos = 0;
+ zzMarkedPos = 0;
+ zzStartRead = 0;
+ zzEndRead = 0;
+ zzFinalHighSurrogate = 0;
+ yyline = 0;
+ yycolumn = 0;
+ yychar = 0L;
+ }
+
+
+ /**
+ * Returns whether the scanner has reached the end of the reader it reads from.
+ *
+ * @return whether the scanner has reached EOF.
+ */
+ public final boolean yyatEOF() {
+ return zzAtEOF;
+ }
+
+
+ /**
+ * Returns the current lexical state.
+ *
+ * @return the current lexical state.
+ */
+ public final int yystate() {
+ return zzLexicalState;
+ }
+
+
+ /**
+ * Enters a new lexical state.
+ *
+ * @param newState the new lexical state
+ */
+ public final void yybegin(int newState) {
+ zzLexicalState = newState;
+ }
+
+
+ /**
+ * Returns the text matched by the current regular expression.
+ *
+ * @return the matched text.
+ */
+ public final String yytext() {
+ return new String(zzBuffer, zzStartRead, zzMarkedPos-zzStartRead);
+ }
+
+
+ /**
+ * Returns the character at the given position from the matched text.
+ *
+ *
It is equivalent to {@code yytext().charAt(pos)}, but faster.
+ *
+ * @param position the position of the character to fetch. A value from 0 to {@code yylength()-1}.
+ *
+ * @return the character at {@code position}.
+ */
+ public final char yycharat(int position) {
+ return zzBuffer[zzStartRead + position];
+ }
+
+
+ /**
+ * How many characters were matched.
+ *
+ * @return the length of the matched text region.
+ */
+ public final int yylength() {
+ return zzMarkedPos-zzStartRead;
+ }
+
+
+ /**
+ * Reports an error that occurred while scanning.
+ *
+ *
In a well-formed scanner (no or only correct usage of {@code yypushback(int)} and a
+ * match-all fallback rule) this method will only be called with things that
+ * "Can't Possibly Happen".
+ *
+ *
If this method is called, something is seriously wrong (e.g. a JFlex bug producing a faulty
+ * scanner etc.).
+ *
+ *
Usual syntax/scanner level error handling should be done in error fallback rules.
+ *
+ * @param errorCode the code of the error message to display.
+ */
+ private static void zzScanError(int errorCode) {
+ String message;
+ try {
+ message = ZZ_ERROR_MSG[errorCode];
+ } catch (ArrayIndexOutOfBoundsException e) {
+ message = ZZ_ERROR_MSG[ZZ_UNKNOWN_ERROR];
+ }
+
+ throw new Error(message);
+ }
+
+
+ /**
+ * Pushes the specified amount of characters back into the input stream.
+ *
+ *
They will be read again by then next call of the scanning method.
+ *
+ * @param number the number of characters to be read again. This number must not be greater than
+ * {@link #yylength()}.
+ */
+ public void yypushback(int number) {
+ if ( number > yylength() )
+ zzScanError(ZZ_PUSHBACK_2BIG);
+
+ zzMarkedPos -= number;
+ }
+
+
+
+
+ /**
+ * Resumes scanning until the next regular expression is matched, the end of input is encountered
+ * or an I/O-Error occurs.
+ *
+ * @return the next token.
+ * @exception java.io.IOException if any I/O-Error occurs.
+ */
+ public Yytoken yylex() throws java.io.IOException, JsonException {
+ int zzInput;
+ int zzAction;
+
+ // cached fields:
+ int zzCurrentPosL;
+ int zzMarkedPosL;
+ int zzEndReadL = zzEndRead;
+ char[] zzBufferL = zzBuffer;
+
+ int [] zzTransL = ZZ_TRANS;
+ int [] zzRowMapL = ZZ_ROWMAP;
+ int [] zzAttrL = ZZ_ATTRIBUTE;
+
+ while (true) {
+ zzMarkedPosL = zzMarkedPos;
+
+ yychar+= zzMarkedPosL-zzStartRead;
+
+ zzAction = -1;
+
+ zzCurrentPosL = zzCurrentPos = zzStartRead = zzMarkedPosL;
+
+ zzState = ZZ_LEXSTATE[zzLexicalState];
+
+ // set up zzAction for empty match case:
+ int zzAttributes = zzAttrL[zzState];
+ if ( (zzAttributes & 1) == 1 ) {
+ zzAction = zzState;
+ }
+
+
+ zzForAction: {
+ while (true) {
+
+ if (zzCurrentPosL < zzEndReadL) {
+ zzInput = Character.codePointAt(zzBufferL, zzCurrentPosL, zzEndReadL);
+ zzCurrentPosL += Character.charCount(zzInput);
+ }
+ else if (zzAtEOF) {
+ zzInput = YYEOF;
+ break zzForAction;
+ }
+ else {
+ // store back cached positions
+ zzCurrentPos = zzCurrentPosL;
+ zzMarkedPos = zzMarkedPosL;
+ boolean eof = zzRefill();
+ // get translated positions and possibly new buffer
+ zzCurrentPosL = zzCurrentPos;
+ zzMarkedPosL = zzMarkedPos;
+ zzBufferL = zzBuffer;
+ zzEndReadL = zzEndRead;
+ if (eof) {
+ zzInput = YYEOF;
+ break zzForAction;
+ }
+ else {
+ zzInput = Character.codePointAt(zzBufferL, zzCurrentPosL, zzEndReadL);
+ zzCurrentPosL += Character.charCount(zzInput);
+ }
+ }
+ int zzNext = zzTransL[ zzRowMapL[zzState] + zzCMap(zzInput) ];
+ if (zzNext == -1) break zzForAction;
+ zzState = zzNext;
+
+ zzAttributes = zzAttrL[zzState];
+ if ( (zzAttributes & 1) == 1 ) {
+ zzAction = zzState;
+ zzMarkedPosL = zzCurrentPosL;
+ if ( (zzAttributes & 8) == 8 ) break zzForAction;
+ }
+
+ }
+ }
+
+ // store back cached position
+ zzMarkedPos = zzMarkedPosL;
+
+ if (zzInput == YYEOF && zzStartRead == zzCurrentPos) {
+ zzAtEOF = true;
+ return null;
+ }
+ else {
+ switch (zzAction < 0 ? zzAction : ZZ_ACTION[zzAction]) {
+ case 1:
+ { throw new JsonException(yychar, JsonException.Problems.UNEXPECTED_CHARACTER, new Character(yycharat(0)));
+ }
+ // fall through
+ case 24: break;
+ case 2:
+ {
+ }
+ // fall through
+ case 25: break;
+ case 3:
+ { sb = null; sb = new StringBuilder(); yybegin(STRING_BEGIN);
+ }
+ // fall through
+ case 26: break;
+ case 4:
+ { return new Yytoken(Yytoken.Types.COMMA, null);
+ }
+ // fall through
+ case 27: break;
+ case 5:
+ { java.math.BigDecimal val= new java.math.BigDecimal(yytext()); return new Yytoken(Yytoken.Types.DATUM, val);
+ }
+ // fall through
+ case 28: break;
+ case 6:
+ { return new Yytoken(Yytoken.Types.COLON, null);
+ }
+ // fall through
+ case 29: break;
+ case 7:
+ { return new Yytoken(Yytoken.Types.LEFT_SQUARE, null);
+ }
+ // fall through
+ case 30: break;
+ case 8:
+ { return new Yytoken(Yytoken.Types.RIGHT_SQUARE, null);
+ }
+ // fall through
+ case 31: break;
+ case 9:
+ { return new Yytoken(Yytoken.Types.LEFT_BRACE, null);
+ }
+ // fall through
+ case 32: break;
+ case 10:
+ { return new Yytoken(Yytoken.Types.RIGHT_BRACE, null);
+ }
+ // fall through
+ case 33: break;
+ case 11:
+ { sb.append(yytext());
+ }
+ // fall through
+ case 34: break;
+ case 12:
+ { yybegin(YYINITIAL);return new Yytoken(Yytoken.Types.DATUM, sb.toString());
+ }
+ // fall through
+ case 35: break;
+ case 13:
+ { sb.append('\\');
+ }
+ // fall through
+ case 36: break;
+ case 14:
+ { sb.append('"');
+ }
+ // fall through
+ case 37: break;
+ case 15:
+ { sb.append('/');
+ }
+ // fall through
+ case 38: break;
+ case 16:
+ { sb.append('\b');
+ }
+ // fall through
+ case 39: break;
+ case 17:
+ { sb.append('\f');
+ }
+ // fall through
+ case 40: break;
+ case 18:
+ { sb.append('\n');
+ }
+ // fall through
+ case 41: break;
+ case 19:
+ { sb.append('\r');
+ }
+ // fall through
+ case 42: break;
+ case 20:
+ { sb.append('\t');
+ }
+ // fall through
+ case 43: break;
+ case 21:
+ { return new Yytoken(Yytoken.Types.DATUM, null);
+ }
+ // fall through
+ case 44: break;
+ case 22:
+ { Boolean val=Boolean.valueOf(yytext()); return new Yytoken(Yytoken.Types.DATUM, val);
+ }
+ // fall through
+ case 45: break;
+ case 23:
+ { try{
+ int ch=Integer.parseInt(yytext().substring(2),16);
+ sb.append((char)ch);
+ }catch(Exception e){
+ /* The lexer is broken if it can build a 4 byte character code and fail to append the character. */
+ throw new JsonException(yychar, JsonException.Problems.UNEXPECTED_EXCEPTION, e);
+ }
+ }
+ // fall through
+ case 46: break;
+ default:
+ zzScanError(ZZ_NO_MATCH);
+ }
+ }
+ }
+ }
+
+
+}
diff --git a/src/main/java/com/github/cliftonlabs/json_simple/Yytoken.java b/src/main/java/com/github/cliftonlabs/json_simple/Yytoken.java
new file mode 100644
index 00000000..cf2821e6
--- /dev/null
+++ b/src/main/java/com/github/cliftonlabs/json_simple/Yytoken.java
@@ -0,0 +1,94 @@
+/* Copyright 2016 Clifton Labs
+ * Licensed under the Apache License, Version 2.0 (the "License");
+ * you may not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ * http://www.apache.org/licenses/LICENSE-2.0
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License. */
+package com.github.cliftonlabs.json_simple;
+
+/** Represents structural entities in JSON.
+ * @since 2.0.0 */
+class Yytoken{
+ /** Represents the different kinds of tokens. */
+ enum Types{
+ /** Tokens of this type will always have a value of ":" */
+ COLON,
+ /** Tokens of this type will always have a value of "," */
+ COMMA,
+ /** Tokens of this type will always have a value that is a boolean, null, number, or string. */
+ DATUM,
+ /** Tokens of this type will always have a value of "" */
+ END,
+ /** Tokens of this type will always have a value of "{" */
+ LEFT_BRACE,
+ /** Tokens of this type will always have a value of "[" */
+ LEFT_SQUARE,
+ /** Tokens of this type will always have a value of "}" */
+ RIGHT_BRACE,
+ /** Tokens of this type will always have a value of "]" */
+ RIGHT_SQUARE;
+ }
+
+ @SuppressWarnings("javadoc")
+ private final Types type;
+ @SuppressWarnings("javadoc")
+ private final Object value;
+
+ /** @param type represents the kind of token the instantiated token will be.
+ * @param value represents the value the token is associated with, will be ignored unless type is equal to
+ * Types.DATUM.
+ * @see Types */
+ Yytoken(final Types type, final Object value){
+ /* Sanity check. Make sure the value is ignored for the proper value unless it is a datum token. */
+ switch(type){
+ case COLON:
+ this.value = ":";
+ break;
+ case COMMA:
+ this.value = ",";
+ break;
+ case END:
+ this.value = "";
+ break;
+ case LEFT_BRACE:
+ this.value = "{";
+ break;
+ case LEFT_SQUARE:
+ this.value = "[";
+ break;
+ case RIGHT_BRACE:
+ this.value = "}";
+ break;
+ case RIGHT_SQUARE:
+ this.value = "]";
+ break;
+ default:
+ this.value = value;
+ break;
+ }
+ this.type = type;
+ }
+
+ /** @return which of the {@link Yytoken.Types} the token is.
+ * @see Yytoken.Types */
+ Types getType(){
+ return this.type;
+ }
+
+ /** @return what the token is.
+ * @see Types */
+ Object getValue(){
+ return this.value;
+ }
+
+ @Override
+ public String toString(){
+ final StringBuilder sb = new StringBuilder();
+ sb.append(this.type.toString()).append("(").append(this.value).append(")");
+ return sb.toString();
+ }
+}
diff --git a/src/main/java/org/json/simple/ItemList.java b/src/main/java/org/json/simple/ItemList.java
deleted file mode 100644
index 07231e67..00000000
--- a/src/main/java/org/json/simple/ItemList.java
+++ /dev/null
@@ -1,147 +0,0 @@
-/*
- * $Id: ItemList.java,v 1.1 2006/04/15 14:10:48 platform Exp $
- * Created on 2006-3-24
- */
-package org.json.simple;
-
-import java.util.ArrayList;
-import java.util.List;
-import java.util.StringTokenizer;
-
-/**
- * |a:b:c| => |a|,|b|,|c|
- * |:| => ||,||
- * |a:| => |a|,||
- * @author FangYidong
- */
-public class ItemList {
- private String sp=",";
- List items=new ArrayList();
-
-
- public ItemList(){}
-
-
- public ItemList(String s){
- this.split(s,sp,items);
- }
-
- public ItemList(String s,String sp){
- this.sp=s;
- this.split(s,sp,items);
- }
-
- public ItemList(String s,String sp,boolean isMultiToken){
- split(s,sp,items,isMultiToken);
- }
-
- public List getItems(){
- return this.items;
- }
-
- public String[] getArray(){
- return (String[])this.items.toArray();
- }
-
- public void split(String s,String sp,List append,boolean isMultiToken){
- if(s==null || sp==null)
- return;
- if(isMultiToken){
- StringTokenizer tokens=new StringTokenizer(s,sp);
- while(tokens.hasMoreTokens()){
- append.add(tokens.nextToken().trim());
- }
- }
- else{
- this.split(s,sp,append);
- }
- }
-
- public void split(String s,String sp,List append){
- if(s==null || sp==null)
- return;
- int pos=0;
- int prevPos=0;
- do{
- prevPos=pos;
- pos=s.indexOf(sp,pos);
- if(pos==-1)
- break;
- append.add(s.substring(prevPos,pos).trim());
- pos+=sp.length();
- }while(pos!=-1);
- append.add(s.substring(prevPos).trim());
- }
-
- public void setSP(String sp){
- this.sp=sp;
- }
-
- public void add(int i,String item){
- if(item==null)
- return;
- items.add(i,item.trim());
- }
-
- public void add(String item){
- if(item==null)
- return;
- items.add(item.trim());
- }
-
- public void addAll(ItemList list){
- items.addAll(list.items);
- }
-
- public void addAll(String s){
- this.split(s,sp,items);
- }
-
- public void addAll(String s,String sp){
- this.split(s,sp,items);
- }
-
- public void addAll(String s,String sp,boolean isMultiToken){
- this.split(s,sp,items,isMultiToken);
- }
-
- /**
- * @param i 0-based
- * @return
- */
- public String get(int i){
- return (String)items.get(i);
- }
-
- public int size(){
- return items.size();
- }
-
- public String toString(){
- return toString(sp);
- }
-
- public String toString(String sp){
- StringBuffer sb=new StringBuffer();
-
- for(int i=0;i
- */
-public class JSONArray extends ArrayList implements JSONAware, JSONStreamAware {
- private static final long serialVersionUID = 3957988303675231981L;
-
- /**
- * Constructs an empty JSONArray.
- */
- public JSONArray(){
- super();
- }
-
- /**
- * Constructs a JSONArray containing the elements of the specified
- * collection, in the order they are returned by the collection's iterator.
- *
- * @param c the collection whose elements are to be placed into this JSONArray
- */
- public JSONArray(Collection c){
- super(c);
- }
-
- /**
- * Encode a list into JSON text and write it to out.
- * If this list is also a JSONStreamAware or a JSONAware, JSONStreamAware and JSONAware specific behaviours will be ignored at this top level.
- *
- * @see org.json.simple.JSONValue#writeJSONString(Object, Writer)
- *
- * @param collection
- * @param out
- */
- public static void writeJSONString(Collection collection, Writer out) throws IOException{
- if(collection == null){
- out.write("null");
- return;
- }
-
- boolean first = true;
- Iterator iter=collection.iterator();
-
- out.write('[');
- while(iter.hasNext()){
- if(first)
- first = false;
- else
- out.write(',');
-
- Object value=iter.next();
- if(value == null){
- out.write("null");
- continue;
- }
-
- JSONValue.writeJSONString(value, out);
- }
- out.write(']');
- }
-
- public void writeJSONString(Writer out) throws IOException{
- writeJSONString(this, out);
- }
-
- /**
- * Convert a list to JSON text. The result is a JSON array.
- * If this list is also a JSONAware, JSONAware specific behaviours will be omitted at this top level.
- *
- * @see org.json.simple.JSONValue#toJSONString(Object)
- *
- * @param collection
- * @return JSON text, or "null" if list is null.
- */
- public static String toJSONString(Collection collection){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(collection, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(byte[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(byte[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(short[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(short[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(int[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(int[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(long[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(long[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(float[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(float[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(double[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(double[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(boolean[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(boolean[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(char[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[\"");
- out.write(String.valueOf(array[0]));
-
- for(int i = 1; i < array.length; i++){
- out.write("\",\"");
- out.write(String.valueOf(array[i]));
- }
-
- out.write("\"]");
- }
- }
-
- public static String toJSONString(char[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public static void writeJSONString(Object[] array, Writer out) throws IOException{
- if(array == null){
- out.write("null");
- } else if(array.length == 0) {
- out.write("[]");
- } else {
- out.write("[");
- JSONValue.writeJSONString(array[0], out);
-
- for(int i = 1; i < array.length; i++){
- out.write(",");
- JSONValue.writeJSONString(array[i], out);
- }
-
- out.write("]");
- }
- }
-
- public static String toJSONString(Object[] array){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(array, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public String toJSONString(){
- return toJSONString(this);
- }
-
- /**
- * Returns a string representation of this array. This is equivalent to
- * calling {@link JSONArray#toJSONString()}.
- */
- public String toString() {
- return toJSONString();
- }
-}
diff --git a/src/main/java/org/json/simple/JSONAware.java b/src/main/java/org/json/simple/JSONAware.java
deleted file mode 100644
index 89f15251..00000000
--- a/src/main/java/org/json/simple/JSONAware.java
+++ /dev/null
@@ -1,12 +0,0 @@
-package org.json.simple;
-
-/**
- * Beans that support customized output of JSON text shall implement this interface.
- * @author FangYidong
- */
-public interface JSONAware {
- /**
- * @return JSON text
- */
- String toJSONString();
-}
diff --git a/src/main/java/org/json/simple/JSONObject.java b/src/main/java/org/json/simple/JSONObject.java
deleted file mode 100644
index f565b3e3..00000000
--- a/src/main/java/org/json/simple/JSONObject.java
+++ /dev/null
@@ -1,132 +0,0 @@
-/*
- * $Id: JSONObject.java,v 1.1 2006/04/15 14:10:48 platform Exp $
- * Created on 2006-4-10
- */
-package org.json.simple;
-
-import java.io.IOException;
-import java.io.StringWriter;
-import java.io.Writer;
-import java.util.HashMap;
-import java.util.Iterator;
-import java.util.Map;
-
-/**
- * A JSON object. Key value pairs are unordered. JSONObject supports java.util.Map interface.
- *
- * @author FangYidong
- */
-public class JSONObject extends HashMap implements Map, JSONAware, JSONStreamAware{
-
- private static final long serialVersionUID = -503443796854799292L;
-
-
- public JSONObject() {
- super();
- }
-
- /**
- * Allows creation of a JSONObject from a Map. After that, both the
- * generated JSONObject and the Map can be modified independently.
- *
- * @param map
- */
- public JSONObject(Map map) {
- super(map);
- }
-
-
- /**
- * Encode a map into JSON text and write it to out.
- * If this map is also a JSONAware or JSONStreamAware, JSONAware or JSONStreamAware specific behaviours will be ignored at this top level.
- *
- * @see org.json.simple.JSONValue#writeJSONString(Object, Writer)
- *
- * @param map
- * @param out
- */
- public static void writeJSONString(Map map, Writer out) throws IOException {
- if(map == null){
- out.write("null");
- return;
- }
-
- boolean first = true;
- Iterator iter=map.entrySet().iterator();
-
- out.write('{');
- while(iter.hasNext()){
- if(first)
- first = false;
- else
- out.write(',');
- Map.Entry entry=(Map.Entry)iter.next();
- out.write('\"');
- out.write(escape(String.valueOf(entry.getKey())));
- out.write('\"');
- out.write(':');
- JSONValue.writeJSONString(entry.getValue(), out);
- }
- out.write('}');
- }
-
- public void writeJSONString(Writer out) throws IOException{
- writeJSONString(this, out);
- }
-
- /**
- * Convert a map to JSON text. The result is a JSON object.
- * If this map is also a JSONAware, JSONAware specific behaviours will be omitted at this top level.
- *
- * @see org.json.simple.JSONValue#toJSONString(Object)
- *
- * @param map
- * @return JSON text, or "null" if map is null.
- */
- public static String toJSONString(Map map){
- final StringWriter writer = new StringWriter();
-
- try {
- writeJSONString(map, writer);
- return writer.toString();
- } catch (IOException e) {
- // This should never happen with a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- public String toJSONString(){
- return toJSONString(this);
- }
-
- public String toString(){
- return toJSONString();
- }
-
- public static String toString(String key,Object value){
- StringBuffer sb = new StringBuffer();
- sb.append('\"');
- if(key == null)
- sb.append("null");
- else
- JSONValue.escape(key, sb);
- sb.append('\"').append(':');
-
- sb.append(JSONValue.toJSONString(value));
-
- return sb.toString();
- }
-
- /**
- * Escape quotes, \, /, \r, \n, \b, \f, \t and other control characters (U+0000 through U+001F).
- * It's the same as JSONValue.escape() only for compatibility here.
- *
- * @see org.json.simple.JSONValue#escape(String)
- *
- * @param s
- * @return
- */
- public static String escape(String s){
- return JSONValue.escape(s);
- }
-}
diff --git a/src/main/java/org/json/simple/JSONStreamAware.java b/src/main/java/org/json/simple/JSONStreamAware.java
deleted file mode 100644
index c2287c45..00000000
--- a/src/main/java/org/json/simple/JSONStreamAware.java
+++ /dev/null
@@ -1,15 +0,0 @@
-package org.json.simple;
-
-import java.io.IOException;
-import java.io.Writer;
-
-/**
- * Beans that support customized output of JSON text to a writer shall implement this interface.
- * @author FangYidong
- */
-public interface JSONStreamAware {
- /**
- * write JSON string to out.
- */
- void writeJSONString(Writer out) throws IOException;
-}
diff --git a/src/main/java/org/json/simple/JSONValue.java b/src/main/java/org/json/simple/JSONValue.java
deleted file mode 100644
index 2fddb217..00000000
--- a/src/main/java/org/json/simple/JSONValue.java
+++ /dev/null
@@ -1,316 +0,0 @@
-/*
- * $Id: JSONValue.java,v 1.1 2006/04/15 14:37:04 platform Exp $
- * Created on 2006-4-15
- */
-package org.json.simple;
-
-import java.io.IOException;
-import java.io.Reader;
-import java.io.StringReader;
-import java.io.StringWriter;
-import java.io.Writer;
-import java.util.Collection;
-// import java.util.List;
-import java.util.Map;
-
-import org.json.simple.parser.JSONParser;
-import org.json.simple.parser.ParseException;
-
-
-/**
- * @author FangYidong
- */
-public class JSONValue {
- /**
- * Parse JSON text into java object from the input source.
- * Please use parseWithException() if you don't want to ignore the exception.
- *
- * @see org.json.simple.parser.JSONParser#parse(Reader)
- * @see #parseWithException(Reader)
- *
- * @param in
- * @return Instance of the following:
- * org.json.simple.JSONObject,
- * org.json.simple.JSONArray,
- * java.lang.String,
- * java.lang.Number,
- * java.lang.Boolean,
- * null
- *
- * @deprecated this method may throw an {@code Error} instead of returning
- * {@code null}; please use {@link JSONValue#parseWithException(Reader)}
- * instead
- */
- public static Object parse(Reader in){
- try{
- JSONParser parser=new JSONParser();
- return parser.parse(in);
- }
- catch(Exception e){
- return null;
- }
- }
-
- /**
- * Parse JSON text into java object from the given string.
- * Please use parseWithException() if you don't want to ignore the exception.
- *
- * @see org.json.simple.parser.JSONParser#parse(Reader)
- * @see #parseWithException(Reader)
- *
- * @param s
- * @return Instance of the following:
- * org.json.simple.JSONObject,
- * org.json.simple.JSONArray,
- * java.lang.String,
- * java.lang.Number,
- * java.lang.Boolean,
- * null
- *
- * @deprecated this method may throw an {@code Error} instead of returning
- * {@code null}; please use {@link JSONValue#parseWithException(String)}
- * instead
- */
- public static Object parse(String s){
- StringReader in=new StringReader(s);
- return parse(in);
- }
-
- /**
- * Parse JSON text into java object from the input source.
- *
- * @see org.json.simple.parser.JSONParser
- *
- * @param in
- * @return Instance of the following:
- * org.json.simple.JSONObject,
- * org.json.simple.JSONArray,
- * java.lang.String,
- * java.lang.Number,
- * java.lang.Boolean,
- * null
- *
- * @throws IOException
- * @throws ParseException
- */
- public static Object parseWithException(Reader in) throws IOException, ParseException{
- JSONParser parser=new JSONParser();
- return parser.parse(in);
- }
-
- public static Object parseWithException(String s) throws ParseException{
- JSONParser parser=new JSONParser();
- return parser.parse(s);
- }
-
- /**
- * Encode an object into JSON text and write it to out.
- *
- * If this object is a Map or a List, and it's also a JSONStreamAware or a JSONAware, JSONStreamAware or JSONAware will be considered firstly.
- *
- * DO NOT call this method from writeJSONString(Writer) of a class that implements both JSONStreamAware and (Map or List) with
- * "this" as the first parameter, use JSONObject.writeJSONString(Map, Writer) or JSONArray.writeJSONString(List, Writer) instead.
- *
- * @see org.json.simple.JSONObject#writeJSONString(Map, Writer)
- * @see org.json.simple.JSONArray#writeJSONString(List, Writer)
- *
- * @param value
- * @param writer
- */
- public static void writeJSONString(Object value, Writer out) throws IOException {
- if(value == null){
- out.write("null");
- return;
- }
-
- if(value instanceof String){
- out.write('\"');
- out.write(escape((String)value));
- out.write('\"');
- return;
- }
-
- if(value instanceof Double){
- if(((Double)value).isInfinite() || ((Double)value).isNaN())
- out.write("null");
- else
- out.write(value.toString());
- return;
- }
-
- if(value instanceof Float){
- if(((Float)value).isInfinite() || ((Float)value).isNaN())
- out.write("null");
- else
- out.write(value.toString());
- return;
- }
-
- if(value instanceof Number){
- out.write(value.toString());
- return;
- }
-
- if(value instanceof Boolean){
- out.write(value.toString());
- return;
- }
-
- if((value instanceof JSONStreamAware)){
- ((JSONStreamAware)value).writeJSONString(out);
- return;
- }
-
- if((value instanceof JSONAware)){
- out.write(((JSONAware)value).toJSONString());
- return;
- }
-
- if(value instanceof Map){
- JSONObject.writeJSONString((Map)value, out);
- return;
- }
-
- if(value instanceof Collection){
- JSONArray.writeJSONString((Collection)value, out);
- return;
- }
-
- if(value instanceof byte[]){
- JSONArray.writeJSONString((byte[])value, out);
- return;
- }
-
- if(value instanceof short[]){
- JSONArray.writeJSONString((short[])value, out);
- return;
- }
-
- if(value instanceof int[]){
- JSONArray.writeJSONString((int[])value, out);
- return;
- }
-
- if(value instanceof long[]){
- JSONArray.writeJSONString((long[])value, out);
- return;
- }
-
- if(value instanceof float[]){
- JSONArray.writeJSONString((float[])value, out);
- return;
- }
-
- if(value instanceof double[]){
- JSONArray.writeJSONString((double[])value, out);
- return;
- }
-
- if(value instanceof boolean[]){
- JSONArray.writeJSONString((boolean[])value, out);
- return;
- }
-
- if(value instanceof char[]){
- JSONArray.writeJSONString((char[])value, out);
- return;
- }
-
- if(value instanceof Object[]){
- JSONArray.writeJSONString((Object[])value, out);
- return;
- }
-
- out.write(value.toString());
- }
-
- /**
- * Convert an object to JSON text.
- *
- * If this object is a Map or a List, and it's also a JSONAware, JSONAware will be considered firstly.
- *
- * DO NOT call this method from toJSONString() of a class that implements both JSONAware and Map or List with
- * "this" as the parameter, use JSONObject.toJSONString(Map) or JSONArray.toJSONString(List) instead.
- *
- * @see org.json.simple.JSONObject#toJSONString(Map)
- * @see org.json.simple.JSONArray#toJSONString(List)
- *
- * @param value
- * @return JSON text, or "null" if value is null or it's an NaN or an INF number.
- */
- public static String toJSONString(Object value){
- final StringWriter writer = new StringWriter();
-
- try{
- writeJSONString(value, writer);
- return writer.toString();
- } catch(IOException e){
- // This should never happen for a StringWriter
- throw new RuntimeException(e);
- }
- }
-
- /**
- * Escape quotes, \, /, \r, \n, \b, \f, \t and other control characters (U+0000 through U+001F).
- * @param s
- * @return
- */
- public static String escape(String s){
- if(s==null)
- return null;
- StringBuffer sb = new StringBuffer();
- escape(s, sb);
- return sb.toString();
- }
-
- /**
- * @param s - Must not be null.
- * @param sb
- */
- static void escape(String s, StringBuffer sb) {
- final int len = s.length();
- for(int i=0;i='\u0000' && ch<='\u001F') || (ch>='\u007F' && ch<='\u009F') || (ch>='\u2000' && ch<='\u20FF')){
- String ss=Integer.toHexString(ch);
- sb.append("\\u");
- for(int k=0;k<4-ss.length();k++){
- sb.append('0');
- }
- sb.append(ss.toUpperCase());
- }
- else{
- sb.append(ch);
- }
- }
- }//for
- }
-
-}
diff --git a/src/main/java/org/json/simple/parser/ContainerFactory.java b/src/main/java/org/json/simple/parser/ContainerFactory.java
deleted file mode 100644
index 366ac4de..00000000
--- a/src/main/java/org/json/simple/parser/ContainerFactory.java
+++ /dev/null
@@ -1,23 +0,0 @@
-package org.json.simple.parser;
-
-import java.util.List;
-import java.util.Map;
-
-/**
- * Container factory for creating containers for JSON object and JSON array.
- *
- * @see org.json.simple.parser.JSONParser#parse(java.io.Reader, ContainerFactory)
- *
- * @author FangYidong
- */
-public interface ContainerFactory {
- /**
- * @return A Map instance to store JSON object, or null if you want to use org.json.simple.JSONObject.
- */
- Map createObjectContainer();
-
- /**
- * @return A List instance to store JSON array, or null if you want to use org.json.simple.JSONArray.
- */
- List creatArrayContainer();
-}
diff --git a/src/main/java/org/json/simple/parser/ContentHandler.java b/src/main/java/org/json/simple/parser/ContentHandler.java
deleted file mode 100644
index ae8d0655..00000000
--- a/src/main/java/org/json/simple/parser/ContentHandler.java
+++ /dev/null
@@ -1,110 +0,0 @@
-package org.json.simple.parser;
-
-import java.io.IOException;
-
-/**
- * A simplified and stoppable SAX-like content handler for stream processing of JSON text.
- *
- * @see org.xml.sax.ContentHandler
- * @see org.json.simple.parser.JSONParser#parse(java.io.Reader, ContentHandler, boolean)
- *
- * @author FangYidong
- */
-public interface ContentHandler {
- /**
- * Receive notification of the beginning of JSON processing.
- * The parser will invoke this method only once.
- *
- * @throws ParseException
- * - JSONParser will stop and throw the same exception to the caller when receiving this exception.
- */
- void startJSON() throws ParseException, IOException;
-
- /**
- * Receive notification of the end of JSON processing.
- *
- * @throws ParseException
- */
- void endJSON() throws ParseException, IOException;
-
- /**
- * Receive notification of the beginning of a JSON object.
- *
- * @return false if the handler wants to stop parsing after return.
- * @throws ParseException
- * - JSONParser will stop and throw the same exception to the caller when receiving this exception.
- * @see #endJSON
- */
- boolean startObject() throws ParseException, IOException;
-
- /**
- * Receive notification of the end of a JSON object.
- *
- * @return false if the handler wants to stop parsing after return.
- * @throws ParseException
- *
- * @see #startObject
- */
- boolean endObject() throws ParseException, IOException;
-
- /**
- * Receive notification of the beginning of a JSON object entry.
- *
- * @param key - Key of a JSON object entry.
- *
- * @return false if the handler wants to stop parsing after return.
- * @throws ParseException
- *
- * @see #endObjectEntry
- */
- boolean startObjectEntry(String key) throws ParseException, IOException;
-
- /**
- * Receive notification of the end of the value of previous object entry.
- *
- * @return false if the handler wants to stop parsing after return.
- * @throws ParseException
- *
- * @see #startObjectEntry
- */
- boolean endObjectEntry() throws ParseException, IOException;
-
- /**
- * Receive notification of the beginning of a JSON array.
- *
- * @return false if the handler wants to stop parsing after return.
- * @throws ParseException
- *
- * @see #endArray
- */
- boolean startArray() throws ParseException, IOException;
-
- /**
- * Receive notification of the end of a JSON array.
- *
- * @return false if the handler wants to stop parsing after return.
- * @throws ParseException
- *
- * @see #startArray
- */
- boolean endArray() throws ParseException, IOException;
-
- /**
- * Receive notification of the JSON primitive values:
- * java.lang.String,
- * java.lang.Number,
- * java.lang.Boolean
- * null
- *
- * @param value - Instance of the following:
- * java.lang.String,
- * java.lang.Number,
- * java.lang.Boolean
- * null
- *
- * @return false if the handler wants to stop parsing after return.
- * @throws ParseException
- */
- boolean primitive(Object value) throws ParseException, IOException;
-
-}
diff --git a/src/main/java/org/json/simple/parser/JSONParser.java b/src/main/java/org/json/simple/parser/JSONParser.java
deleted file mode 100644
index 9acaa377..00000000
--- a/src/main/java/org/json/simple/parser/JSONParser.java
+++ /dev/null
@@ -1,533 +0,0 @@
-/*
- * $Id: JSONParser.java,v 1.1 2006/04/15 14:10:48 platform Exp $
- * Created on 2006-4-15
- */
-package org.json.simple.parser;
-
-import java.io.IOException;
-import java.io.Reader;
-import java.io.StringReader;
-import java.util.LinkedList;
-import java.util.List;
-import java.util.Map;
-
-import org.json.simple.JSONArray;
-import org.json.simple.JSONObject;
-
-
-/**
- * Parser for JSON text. Please note that JSONParser is NOT thread-safe.
- *
- * @author FangYidong
- */
-public class JSONParser {
- public static final int S_INIT=0;
- public static final int S_IN_FINISHED_VALUE=1;//string,number,boolean,null,object,array
- public static final int S_IN_OBJECT=2;
- public static final int S_IN_ARRAY=3;
- public static final int S_PASSED_PAIR_KEY=4;
- public static final int S_IN_PAIR_VALUE=5;
- public static final int S_END=6;
- public static final int S_IN_ERROR=-1;
-
- private LinkedList handlerStatusStack;
- private Yylex lexer = new Yylex((Reader)null);
- private Yytoken token = null;
- private int status = S_INIT;
-
- private int peekStatus(LinkedList statusStack){
- if(statusStack.size()==0)
- return -1;
- Integer status=(Integer)statusStack.getFirst();
- return status.intValue();
- }
-
- /**
- * Reset the parser to the initial state without resetting the underlying reader.
- *
- */
- public void reset(){
- token = null;
- status = S_INIT;
- handlerStatusStack = null;
- }
-
- /**
- * Reset the parser to the initial state with a new character reader.
- *
- * @param in - The new character reader.
- * @throws IOException
- * @throws ParseException
- */
- public void reset(Reader in){
- lexer.yyreset(in);
- reset();
- }
-
- /**
- * @return The position of the beginning of the current token.
- */
- public int getPosition(){
- return lexer.getPosition();
- }
-
- public Object parse(String s) throws ParseException{
- return parse(s, (ContainerFactory)null);
- }
-
- public Object parse(String s, ContainerFactory containerFactory) throws ParseException{
- StringReader in=new StringReader(s);
- try{
- return parse(in, containerFactory);
- }
- catch(IOException ie){
- /*
- * Actually it will never happen.
- */
- throw new ParseException(-1, ParseException.ERROR_UNEXPECTED_EXCEPTION, ie);
- }
- }
-
- public Object parse(Reader in) throws IOException, ParseException{
- return parse(in, (ContainerFactory)null);
- }
-
- /**
- * Parse JSON text into java object from the input source.
- *
- * @param in
- * @param containerFactory - Use this factory to createyour own JSON object and JSON array containers.
- * @return Instance of the following:
- * org.json.simple.JSONObject,
- * org.json.simple.JSONArray,
- * java.lang.String,
- * java.lang.Number,
- * java.lang.Boolean,
- * null
- *
- * @throws IOException
- * @throws ParseException
- */
- public Object parse(Reader in, ContainerFactory containerFactory) throws IOException, ParseException{
- reset(in);
- LinkedList statusStack = new LinkedList();
- LinkedList valueStack = new LinkedList();
-
- try{
- do{
- nextToken();
- switch(status){
- case S_INIT:
- switch(token.type){
- case Yytoken.TYPE_VALUE:
- status=S_IN_FINISHED_VALUE;
- statusStack.addFirst(new Integer(status));
- valueStack.addFirst(token.value);
- break;
- case Yytoken.TYPE_LEFT_BRACE:
- status=S_IN_OBJECT;
- statusStack.addFirst(new Integer(status));
- valueStack.addFirst(createObjectContainer(containerFactory));
- break;
- case Yytoken.TYPE_LEFT_SQUARE:
- status=S_IN_ARRAY;
- statusStack.addFirst(new Integer(status));
- valueStack.addFirst(createArrayContainer(containerFactory));
- break;
- default:
- status=S_IN_ERROR;
- }//inner switch
- break;
-
- case S_IN_FINISHED_VALUE:
- if(token.type==Yytoken.TYPE_EOF)
- return valueStack.removeFirst();
- else
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
-
- case S_IN_OBJECT:
- switch(token.type){
- case Yytoken.TYPE_COMMA:
- break;
- case Yytoken.TYPE_VALUE:
- if(token.value instanceof String){
- String key=(String)token.value;
- valueStack.addFirst(key);
- status=S_PASSED_PAIR_KEY;
- statusStack.addFirst(new Integer(status));
- }
- else{
- status=S_IN_ERROR;
- }
- break;
- case Yytoken.TYPE_RIGHT_BRACE:
- if(valueStack.size()>1){
- statusStack.removeFirst();
- valueStack.removeFirst();
- status=peekStatus(statusStack);
- }
- else{
- status=S_IN_FINISHED_VALUE;
- }
- break;
- default:
- status=S_IN_ERROR;
- break;
- }//inner switch
- break;
-
- case S_PASSED_PAIR_KEY:
- switch(token.type){
- case Yytoken.TYPE_COLON:
- break;
- case Yytoken.TYPE_VALUE:
- statusStack.removeFirst();
- String key=(String)valueStack.removeFirst();
- Map parent=(Map)valueStack.getFirst();
- parent.put(key,token.value);
- status=peekStatus(statusStack);
- break;
- case Yytoken.TYPE_LEFT_SQUARE:
- statusStack.removeFirst();
- key=(String)valueStack.removeFirst();
- parent=(Map)valueStack.getFirst();
- List newArray=createArrayContainer(containerFactory);
- parent.put(key,newArray);
- status=S_IN_ARRAY;
- statusStack.addFirst(new Integer(status));
- valueStack.addFirst(newArray);
- break;
- case Yytoken.TYPE_LEFT_BRACE:
- statusStack.removeFirst();
- key=(String)valueStack.removeFirst();
- parent=(Map)valueStack.getFirst();
- Map newObject=createObjectContainer(containerFactory);
- parent.put(key,newObject);
- status=S_IN_OBJECT;
- statusStack.addFirst(new Integer(status));
- valueStack.addFirst(newObject);
- break;
- default:
- status=S_IN_ERROR;
- }
- break;
-
- case S_IN_ARRAY:
- switch(token.type){
- case Yytoken.TYPE_COMMA:
- break;
- case Yytoken.TYPE_VALUE:
- List val=(List)valueStack.getFirst();
- val.add(token.value);
- break;
- case Yytoken.TYPE_RIGHT_SQUARE:
- if(valueStack.size()>1){
- statusStack.removeFirst();
- valueStack.removeFirst();
- status=peekStatus(statusStack);
- }
- else{
- status=S_IN_FINISHED_VALUE;
- }
- break;
- case Yytoken.TYPE_LEFT_BRACE:
- val=(List)valueStack.getFirst();
- Map newObject=createObjectContainer(containerFactory);
- val.add(newObject);
- status=S_IN_OBJECT;
- statusStack.addFirst(new Integer(status));
- valueStack.addFirst(newObject);
- break;
- case Yytoken.TYPE_LEFT_SQUARE:
- val=(List)valueStack.getFirst();
- List newArray=createArrayContainer(containerFactory);
- val.add(newArray);
- status=S_IN_ARRAY;
- statusStack.addFirst(new Integer(status));
- valueStack.addFirst(newArray);
- break;
- default:
- status=S_IN_ERROR;
- }//inner switch
- break;
- case S_IN_ERROR:
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
- }//switch
- if(status==S_IN_ERROR){
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
- }
- }while(token.type!=Yytoken.TYPE_EOF);
- }
- catch(IOException ie){
- throw ie;
- }
-
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
- }
-
- private void nextToken() throws ParseException, IOException{
- token = lexer.yylex();
- if(token == null)
- token = new Yytoken(Yytoken.TYPE_EOF, null);
- }
-
- private Map createObjectContainer(ContainerFactory containerFactory){
- if(containerFactory == null)
- return new JSONObject();
- Map m = containerFactory.createObjectContainer();
-
- if(m == null)
- return new JSONObject();
- return m;
- }
-
- private List createArrayContainer(ContainerFactory containerFactory){
- if(containerFactory == null)
- return new JSONArray();
- List l = containerFactory.creatArrayContainer();
-
- if(l == null)
- return new JSONArray();
- return l;
- }
-
- public void parse(String s, ContentHandler contentHandler) throws ParseException{
- parse(s, contentHandler, false);
- }
-
- public void parse(String s, ContentHandler contentHandler, boolean isResume) throws ParseException{
- StringReader in=new StringReader(s);
- try{
- parse(in, contentHandler, isResume);
- }
- catch(IOException ie){
- /*
- * Actually it will never happen.
- */
- throw new ParseException(-1, ParseException.ERROR_UNEXPECTED_EXCEPTION, ie);
- }
- }
-
- public void parse(Reader in, ContentHandler contentHandler) throws IOException, ParseException{
- parse(in, contentHandler, false);
- }
-
- /**
- * Stream processing of JSON text.
- *
- * @see ContentHandler
- *
- * @param in
- * @param contentHandler
- * @param isResume - Indicates if it continues previous parsing operation.
- * If set to true, resume parsing the old stream, and parameter 'in' will be ignored.
- * If this method is called for the first time in this instance, isResume will be ignored.
- *
- * @throws IOException
- * @throws ParseException
- */
- public void parse(Reader in, ContentHandler contentHandler, boolean isResume) throws IOException, ParseException{
- if(!isResume){
- reset(in);
- handlerStatusStack = new LinkedList();
- }
- else{
- if(handlerStatusStack == null){
- isResume = false;
- reset(in);
- handlerStatusStack = new LinkedList();
- }
- }
-
- LinkedList statusStack = handlerStatusStack;
-
- try{
- do{
- switch(status){
- case S_INIT:
- contentHandler.startJSON();
- nextToken();
- switch(token.type){
- case Yytoken.TYPE_VALUE:
- status=S_IN_FINISHED_VALUE;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.primitive(token.value))
- return;
- break;
- case Yytoken.TYPE_LEFT_BRACE:
- status=S_IN_OBJECT;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.startObject())
- return;
- break;
- case Yytoken.TYPE_LEFT_SQUARE:
- status=S_IN_ARRAY;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.startArray())
- return;
- break;
- default:
- status=S_IN_ERROR;
- }//inner switch
- break;
-
- case S_IN_FINISHED_VALUE:
- nextToken();
- if(token.type==Yytoken.TYPE_EOF){
- contentHandler.endJSON();
- status = S_END;
- return;
- }
- else{
- status = S_IN_ERROR;
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
- }
-
- case S_IN_OBJECT:
- nextToken();
- switch(token.type){
- case Yytoken.TYPE_COMMA:
- break;
- case Yytoken.TYPE_VALUE:
- if(token.value instanceof String){
- String key=(String)token.value;
- status=S_PASSED_PAIR_KEY;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.startObjectEntry(key))
- return;
- }
- else{
- status=S_IN_ERROR;
- }
- break;
- case Yytoken.TYPE_RIGHT_BRACE:
- if(statusStack.size()>1){
- statusStack.removeFirst();
- status=peekStatus(statusStack);
- }
- else{
- status=S_IN_FINISHED_VALUE;
- }
- if(!contentHandler.endObject())
- return;
- break;
- default:
- status=S_IN_ERROR;
- break;
- }//inner switch
- break;
-
- case S_PASSED_PAIR_KEY:
- nextToken();
- switch(token.type){
- case Yytoken.TYPE_COLON:
- break;
- case Yytoken.TYPE_VALUE:
- statusStack.removeFirst();
- status=peekStatus(statusStack);
- if(!contentHandler.primitive(token.value))
- return;
- if(!contentHandler.endObjectEntry())
- return;
- break;
- case Yytoken.TYPE_LEFT_SQUARE:
- statusStack.removeFirst();
- statusStack.addFirst(new Integer(S_IN_PAIR_VALUE));
- status=S_IN_ARRAY;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.startArray())
- return;
- break;
- case Yytoken.TYPE_LEFT_BRACE:
- statusStack.removeFirst();
- statusStack.addFirst(new Integer(S_IN_PAIR_VALUE));
- status=S_IN_OBJECT;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.startObject())
- return;
- break;
- default:
- status=S_IN_ERROR;
- }
- break;
-
- case S_IN_PAIR_VALUE:
- /*
- * S_IN_PAIR_VALUE is just a marker to indicate the end of an object entry, it doesn't proccess any token,
- * therefore delay consuming token until next round.
- */
- statusStack.removeFirst();
- status = peekStatus(statusStack);
- if(!contentHandler.endObjectEntry())
- return;
- break;
-
- case S_IN_ARRAY:
- nextToken();
- switch(token.type){
- case Yytoken.TYPE_COMMA:
- break;
- case Yytoken.TYPE_VALUE:
- if(!contentHandler.primitive(token.value))
- return;
- break;
- case Yytoken.TYPE_RIGHT_SQUARE:
- if(statusStack.size()>1){
- statusStack.removeFirst();
- status=peekStatus(statusStack);
- }
- else{
- status=S_IN_FINISHED_VALUE;
- }
- if(!contentHandler.endArray())
- return;
- break;
- case Yytoken.TYPE_LEFT_BRACE:
- status=S_IN_OBJECT;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.startObject())
- return;
- break;
- case Yytoken.TYPE_LEFT_SQUARE:
- status=S_IN_ARRAY;
- statusStack.addFirst(new Integer(status));
- if(!contentHandler.startArray())
- return;
- break;
- default:
- status=S_IN_ERROR;
- }//inner switch
- break;
-
- case S_END:
- return;
-
- case S_IN_ERROR:
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
- }//switch
- if(status==S_IN_ERROR){
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
- }
- }while(token.type!=Yytoken.TYPE_EOF);
- }
- catch(IOException ie){
- status = S_IN_ERROR;
- throw ie;
- }
- catch(ParseException pe){
- status = S_IN_ERROR;
- throw pe;
- }
- catch(RuntimeException re){
- status = S_IN_ERROR;
- throw re;
- }
- catch(Error e){
- status = S_IN_ERROR;
- throw e;
- }
-
- status = S_IN_ERROR;
- throw new ParseException(getPosition(), ParseException.ERROR_UNEXPECTED_TOKEN, token);
- }
-}
diff --git a/src/main/java/org/json/simple/parser/ParseException.java b/src/main/java/org/json/simple/parser/ParseException.java
deleted file mode 100644
index dbfefc0e..00000000
--- a/src/main/java/org/json/simple/parser/ParseException.java
+++ /dev/null
@@ -1,90 +0,0 @@
-package org.json.simple.parser;
-
-/**
- * ParseException explains why and where the error occurs in source JSON text.
- *
- * @author FangYidong
- *
- */
-public class ParseException extends Exception {
- private static final long serialVersionUID = -7880698968187728547L;
-
- public static final int ERROR_UNEXPECTED_CHAR = 0;
- public static final int ERROR_UNEXPECTED_TOKEN = 1;
- public static final int ERROR_UNEXPECTED_EXCEPTION = 2;
-
- private int errorType;
- private Object unexpectedObject;
- private int position;
-
- public ParseException(int errorType){
- this(-1, errorType, null);
- }
-
- public ParseException(int errorType, Object unexpectedObject){
- this(-1, errorType, unexpectedObject);
- }
-
- public ParseException(int position, int errorType, Object unexpectedObject){
- this.position = position;
- this.errorType = errorType;
- this.unexpectedObject = unexpectedObject;
- }
-
- public int getErrorType() {
- return errorType;
- }
-
- public void setErrorType(int errorType) {
- this.errorType = errorType;
- }
-
- /**
- * @see org.json.simple.parser.JSONParser#getPosition()
- *
- * @return The character position (starting with 0) of the input where the error occurs.
- */
- public int getPosition() {
- return position;
- }
-
- public void setPosition(int position) {
- this.position = position;
- }
-
- /**
- * @see org.json.simple.parser.Yytoken
- *
- * @return One of the following base on the value of errorType:
- * ERROR_UNEXPECTED_CHAR java.lang.Character
- * ERROR_UNEXPECTED_TOKEN org.json.simple.parser.Yytoken
- * ERROR_UNEXPECTED_EXCEPTION java.lang.Exception
- */
- public Object getUnexpectedObject() {
- return unexpectedObject;
- }
-
- public void setUnexpectedObject(Object unexpectedObject) {
- this.unexpectedObject = unexpectedObject;
- }
-
- public String getMessage() {
- StringBuffer sb = new StringBuffer();
-
- switch(errorType){
- case ERROR_UNEXPECTED_CHAR:
- sb.append("Unexpected character (").append(unexpectedObject).append(") at position ").append(position).append(".");
- break;
- case ERROR_UNEXPECTED_TOKEN:
- sb.append("Unexpected token ").append(unexpectedObject).append(" at position ").append(position).append(".");
- break;
- case ERROR_UNEXPECTED_EXCEPTION:
- sb.append("Unexpected exception at position ").append(position).append(": ").append(unexpectedObject);
- break;
- default:
- sb.append("Unkown error at position ").append(position).append(".");
- break;
- }
- return sb.toString();
- }
-}
diff --git a/src/main/java/org/json/simple/parser/Yylex.java b/src/main/java/org/json/simple/parser/Yylex.java
deleted file mode 100644
index e58e27e6..00000000
--- a/src/main/java/org/json/simple/parser/Yylex.java
+++ /dev/null
@@ -1,688 +0,0 @@
-/* The following code was generated by JFlex 1.4.2 */
-
-package org.json.simple.parser;
-
-class Yylex {
-
- /** This character denotes the end of file */
- public static final int YYEOF = -1;
-
- /** initial size of the lookahead buffer */
- private static final int ZZ_BUFFERSIZE = 16384;
-
- /** lexical states */
- public static final int YYINITIAL = 0;
- public static final int STRING_BEGIN = 2;
-
- /**
- * ZZ_LEXSTATE[l] is the state in the DFA for the lexical state l
- * ZZ_LEXSTATE[l+1] is the state in the DFA for the lexical state l
- * at the beginning of a line
- * l is of the form l = 2*k, k a non negative integer
- */
- private static final int ZZ_LEXSTATE[] = {
- 0, 0, 1, 1
- };
-
- /**
- * Translates characters to character classes
- */
- private static final String ZZ_CMAP_PACKED =
- "\11\0\1\7\1\7\2\0\1\7\22\0\1\7\1\0\1\11\10\0"+
- "\1\6\1\31\1\2\1\4\1\12\12\3\1\32\6\0\4\1\1\5"+
- "\1\1\24\0\1\27\1\10\1\30\3\0\1\22\1\13\2\1\1\21"+
- "\1\14\5\0\1\23\1\0\1\15\3\0\1\16\1\24\1\17\1\20"+
- "\5\0\1\25\1\0\1\26\uff82\0";
-
- /**
- * Translates characters to character classes
- */
- private static final char [] ZZ_CMAP = zzUnpackCMap(ZZ_CMAP_PACKED);
-
- /**
- * Translates DFA states to action switch labels.
- */
- private static final int [] ZZ_ACTION = zzUnpackAction();
-
- private static final String ZZ_ACTION_PACKED_0 =
- "\2\0\2\1\1\2\1\3\1\4\3\1\1\5\1\6"+
- "\1\7\1\10\1\11\1\12\1\13\1\14\1\15\5\0"+
- "\1\14\1\16\1\17\1\20\1\21\1\22\1\23\1\24"+
- "\1\0\1\25\1\0\1\25\4\0\1\26\1\27\2\0"+
- "\1\30";
-
- private static int [] zzUnpackAction() {
- int [] result = new int[45];
- int offset = 0;
- offset = zzUnpackAction(ZZ_ACTION_PACKED_0, offset, result);
- return result;
- }
-
- private static int zzUnpackAction(String packed, int offset, int [] result) {
- int i = 0; /* index in packed string */
- int j = offset; /* index in unpacked array */
- int l = packed.length();
- while (i < l) {
- int count = packed.charAt(i++);
- int value = packed.charAt(i++);
- do result[j++] = value; while (--count > 0);
- }
- return j;
- }
-
-
- /**
- * Translates a state to a row index in the transition table
- */
- private static final int [] ZZ_ROWMAP = zzUnpackRowMap();
-
- private static final String ZZ_ROWMAP_PACKED_0 =
- "\0\0\0\33\0\66\0\121\0\154\0\207\0\66\0\242"+
- "\0\275\0\330\0\66\0\66\0\66\0\66\0\66\0\66"+
- "\0\363\0\u010e\0\66\0\u0129\0\u0144\0\u015f\0\u017a\0\u0195"+
- "\0\66\0\66\0\66\0\66\0\66\0\66\0\66\0\66"+
- "\0\u01b0\0\u01cb\0\u01e6\0\u01e6\0\u0201\0\u021c\0\u0237\0\u0252"+
- "\0\66\0\66\0\u026d\0\u0288\0\66";
-
- private static int [] zzUnpackRowMap() {
- int [] result = new int[45];
- int offset = 0;
- offset = zzUnpackRowMap(ZZ_ROWMAP_PACKED_0, offset, result);
- return result;
- }
-
- private static int zzUnpackRowMap(String packed, int offset, int [] result) {
- int i = 0; /* index in packed string */
- int j = offset; /* index in unpacked array */
- int l = packed.length();
- while (i < l) {
- int high = packed.charAt(i++) << 16;
- result[j++] = high | packed.charAt(i++);
- }
- return j;
- }
-
- /**
- * The transition table of the DFA
- */
- private static final int ZZ_TRANS [] = {
- 2, 2, 3, 4, 2, 2, 2, 5, 2, 6,
- 2, 2, 7, 8, 2, 9, 2, 2, 2, 2,
- 2, 10, 11, 12, 13, 14, 15, 16, 16, 16,
- 16, 16, 16, 16, 16, 17, 18, 16, 16, 16,
- 16, 16, 16, 16, 16, 16, 16, 16, 16, 16,
- 16, 16, 16, 16, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, 4, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, 4, 19, 20, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, 20, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, 5, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- 21, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, 22, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- 23, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, 16, 16, 16, 16, 16, 16, 16,
- 16, -1, -1, 16, 16, 16, 16, 16, 16, 16,
- 16, 16, 16, 16, 16, 16, 16, 16, 16, 16,
- -1, -1, -1, -1, -1, -1, -1, -1, 24, 25,
- 26, 27, 28, 29, 30, 31, 32, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- 33, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, 34, 35, -1, -1,
- 34, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- 36, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, 37, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, 38, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, 39, -1, 39, -1, 39, -1, -1,
- -1, -1, -1, 39, 39, -1, -1, -1, -1, 39,
- 39, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, 33, -1, 20, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, 20, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, 35,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, 38, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, 40,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, 41, -1, -1, -1, -1, -1,
- -1, -1, -1, -1, -1, 42, -1, 42, -1, 42,
- -1, -1, -1, -1, -1, 42, 42, -1, -1, -1,
- -1, 42, 42, -1, -1, -1, -1, -1, -1, -1,
- -1, -1, 43, -1, 43, -1, 43, -1, -1, -1,
- -1, -1, 43, 43, -1, -1, -1, -1, 43, 43,
- -1, -1, -1, -1, -1, -1, -1, -1, -1, 44,
- -1, 44, -1, 44, -1, -1, -1, -1, -1, 44,
- 44, -1, -1, -1, -1, 44, 44, -1, -1, -1,
- -1, -1, -1, -1, -1,
- };
-
- /* error codes */
- private static final int ZZ_UNKNOWN_ERROR = 0;
- private static final int ZZ_NO_MATCH = 1;
- private static final int ZZ_PUSHBACK_2BIG = 2;
-
- /* error messages for the codes above */
- private static final String ZZ_ERROR_MSG[] = {
- "Unkown internal scanner error",
- "Error: could not match input",
- "Error: pushback value was too large"
- };
-
- /**
- * ZZ_ATTRIBUTE[aState] contains the attributes of state aState
- */
- private static final int [] ZZ_ATTRIBUTE = zzUnpackAttribute();
-
- private static final String ZZ_ATTRIBUTE_PACKED_0 =
- "\2\0\1\11\3\1\1\11\3\1\6\11\2\1\1\11"+
- "\5\0\10\11\1\0\1\1\1\0\1\1\4\0\2\11"+
- "\2\0\1\11";
-
- private static int [] zzUnpackAttribute() {
- int [] result = new int[45];
- int offset = 0;
- offset = zzUnpackAttribute(ZZ_ATTRIBUTE_PACKED_0, offset, result);
- return result;
- }
-
- private static int zzUnpackAttribute(String packed, int offset, int [] result) {
- int i = 0; /* index in packed string */
- int j = offset; /* index in unpacked array */
- int l = packed.length();
- while (i < l) {
- int count = packed.charAt(i++);
- int value = packed.charAt(i++);
- do result[j++] = value; while (--count > 0);
- }
- return j;
- }
-
- /** the input device */
- private java.io.Reader zzReader;
-
- /** the current state of the DFA */
- private int zzState;
-
- /** the current lexical state */
- private int zzLexicalState = YYINITIAL;
-
- /** this buffer contains the current text to be matched and is
- the source of the yytext() string */
- private char zzBuffer[] = new char[ZZ_BUFFERSIZE];
-
- /** the textposition at the last accepting state */
- private int zzMarkedPos;
-
- /** the current text position in the buffer */
- private int zzCurrentPos;
-
- /** startRead marks the beginning of the yytext() string in the buffer */
- private int zzStartRead;
-
- /** endRead marks the last character in the buffer, that has been read
- from input */
- private int zzEndRead;
-
- /** number of newlines encountered up to the start of the matched text */
- private int yyline;
-
- /** the number of characters up to the start of the matched text */
- private int yychar;
-
- /**
- * the number of characters from the last newline up to the start of the
- * matched text
- */
- private int yycolumn;
-
- /**
- * zzAtBOL == true <=> the scanner is currently at the beginning of a line
- */
- private boolean zzAtBOL = true;
-
- /** zzAtEOF == true <=> the scanner is at the EOF */
- private boolean zzAtEOF;
-
- /* user code: */
-private StringBuffer sb=new StringBuffer();
-
-int getPosition(){
- return yychar;
-}
-
-
-
- /**
- * Creates a new scanner
- * There is also a java.io.InputStream version of this constructor.
- *
- * @param in the java.io.Reader to read input from.
- */
- Yylex(java.io.Reader in) {
- this.zzReader = in;
- }
-
- /**
- * Creates a new scanner.
- * There is also java.io.Reader version of this constructor.
- *
- * @param in the java.io.Inputstream to read input from.
- */
- Yylex(java.io.InputStream in) {
- this(new java.io.InputStreamReader(in));
- }
-
- /**
- * Unpacks the compressed character translation table.
- *
- * @param packed the packed character translation table
- * @return the unpacked character translation table
- */
- private static char [] zzUnpackCMap(String packed) {
- char [] map = new char[0x10000];
- int i = 0; /* index in packed string */
- int j = 0; /* index in unpacked array */
- while (i < 90) {
- int count = packed.charAt(i++);
- char value = packed.charAt(i++);
- do map[j++] = value; while (--count > 0);
- }
- return map;
- }
-
-
- /**
- * Refills the input buffer.
- *
- * @return false, iff there was new input.
- *
- * @exception java.io.IOException if any I/O-Error occurs
- */
- private boolean zzRefill() throws java.io.IOException {
-
- /* first: make room (if you can) */
- if (zzStartRead > 0) {
- System.arraycopy(zzBuffer, zzStartRead,
- zzBuffer, 0,
- zzEndRead-zzStartRead);
-
- /* translate stored positions */
- zzEndRead-= zzStartRead;
- zzCurrentPos-= zzStartRead;
- zzMarkedPos-= zzStartRead;
- zzStartRead = 0;
- }
-
- /* is the buffer big enough? */
- if (zzCurrentPos >= zzBuffer.length) {
- /* if not: blow it up */
- char newBuffer[] = new char[zzCurrentPos*2];
- System.arraycopy(zzBuffer, 0, newBuffer, 0, zzBuffer.length);
- zzBuffer = newBuffer;
- }
-
- /* finally: fill the buffer with new input */
- int numRead = zzReader.read(zzBuffer, zzEndRead,
- zzBuffer.length-zzEndRead);
-
- if (numRead > 0) {
- zzEndRead+= numRead;
- return false;
- }
- // unlikely but not impossible: read 0 characters, but not at end of stream
- if (numRead == 0) {
- int c = zzReader.read();
- if (c == -1) {
- return true;
- } else {
- zzBuffer[zzEndRead++] = (char) c;
- return false;
- }
- }
-
- // numRead < 0
- return true;
- }
-
-
- /**
- * Closes the input stream.
- */
- public final void yyclose() throws java.io.IOException {
- zzAtEOF = true; /* indicate end of file */
- zzEndRead = zzStartRead; /* invalidate buffer */
-
- if (zzReader != null)
- zzReader.close();
- }
-
-
- /**
- * Resets the scanner to read from a new input stream.
- * Does not close the old reader.
- *
- * All internal variables are reset, the old input stream
- * cannot be reused (internal buffer is discarded and lost).
- * Lexical state is set to ZZ_INITIAL .
- *
- * @param reader the new input stream
- */
- public final void yyreset(java.io.Reader reader) {
- zzReader = reader;
- zzAtBOL = true;
- zzAtEOF = false;
- zzEndRead = zzStartRead = 0;
- zzCurrentPos = zzMarkedPos = 0;
- yyline = yychar = yycolumn = 0;
- zzLexicalState = YYINITIAL;
- }
-
-
- /**
- * Returns the current lexical state.
- */
- public final int yystate() {
- return zzLexicalState;
- }
-
-
- /**
- * Enters a new lexical state
- *
- * @param newState the new lexical state
- */
- public final void yybegin(int newState) {
- zzLexicalState = newState;
- }
-
-
- /**
- * Returns the text matched by the current regular expression.
- */
- public final String yytext() {
- return new String( zzBuffer, zzStartRead, zzMarkedPos-zzStartRead );
- }
-
-
- /**
- * Returns the character at position pos from the
- * matched text.
- *
- * It is equivalent to yytext().charAt(pos), but faster
- *
- * @param pos the position of the character to fetch.
- * A value from 0 to yylength()-1.
- *
- * @return the character at position pos
- */
- public final char yycharat(int pos) {
- return zzBuffer[zzStartRead+pos];
- }
-
-
- /**
- * Returns the length of the matched text region.
- */
- public final int yylength() {
- return zzMarkedPos-zzStartRead;
- }
-
-
- /**
- * Reports an error that occured while scanning.
- *
- * In a wellformed scanner (no or only correct usage of
- * yypushback(int) and a match-all fallback rule) this method
- * will only be called with things that "Can't Possibly Happen".
- * If this method is called, something is seriously wrong
- * (e.g. a JFlex bug producing a faulty scanner etc.).
- *
- * Usual syntax/scanner level error handling should be done
- * in error fallback rules.
- *
- * @param errorCode the code of the errormessage to display
- */
- private void zzScanError(int errorCode) {
- String message;
- try {
- message = ZZ_ERROR_MSG[errorCode];
- }
- catch (ArrayIndexOutOfBoundsException e) {
- message = ZZ_ERROR_MSG[ZZ_UNKNOWN_ERROR];
- }
-
- throw new Error(message);
- }
-
-
- /**
- * Pushes the specified amount of characters back into the input stream.
- *
- * They will be read again by then next call of the scanning method
- *
- * @param number the number of characters to be read again.
- * This number must not be greater than yylength()!
- */
- public void yypushback(int number) {
- if ( number > yylength() )
- zzScanError(ZZ_PUSHBACK_2BIG);
-
- zzMarkedPos -= number;
- }
-
-
- /**
- * Resumes scanning until the next regular expression is matched,
- * the end of input is encountered or an I/O-Error occurs.
- *
- * @return the next token
- * @exception java.io.IOException if any I/O-Error occurs
- */
- public Yytoken yylex() throws java.io.IOException, ParseException {
- int zzInput;
- int zzAction;
-
- // cached fields:
- int zzCurrentPosL;
- int zzMarkedPosL;
- int zzEndReadL = zzEndRead;
- char [] zzBufferL = zzBuffer;
- char [] zzCMapL = ZZ_CMAP;
-
- int [] zzTransL = ZZ_TRANS;
- int [] zzRowMapL = ZZ_ROWMAP;
- int [] zzAttrL = ZZ_ATTRIBUTE;
-
- while (true) {
- zzMarkedPosL = zzMarkedPos;
-
- yychar+= zzMarkedPosL-zzStartRead;
-
- zzAction = -1;
-
- zzCurrentPosL = zzCurrentPos = zzStartRead = zzMarkedPosL;
-
- zzState = ZZ_LEXSTATE[zzLexicalState];
-
-
- zzForAction: {
- while (true) {
-
- if (zzCurrentPosL < zzEndReadL)
- zzInput = zzBufferL[zzCurrentPosL++];
- else if (zzAtEOF) {
- zzInput = YYEOF;
- break zzForAction;
- }
- else {
- // store back cached positions
- zzCurrentPos = zzCurrentPosL;
- zzMarkedPos = zzMarkedPosL;
- boolean eof = zzRefill();
- // get translated positions and possibly new buffer
- zzCurrentPosL = zzCurrentPos;
- zzMarkedPosL = zzMarkedPos;
- zzBufferL = zzBuffer;
- zzEndReadL = zzEndRead;
- if (eof) {
- zzInput = YYEOF;
- break zzForAction;
- }
- else {
- zzInput = zzBufferL[zzCurrentPosL++];
- }
- }
- int zzNext = zzTransL[ zzRowMapL[zzState] + zzCMapL[zzInput] ];
- if (zzNext == -1) break zzForAction;
- zzState = zzNext;
-
- int zzAttributes = zzAttrL[zzState];
- if ( (zzAttributes & 1) == 1 ) {
- zzAction = zzState;
- zzMarkedPosL = zzCurrentPosL;
- if ( (zzAttributes & 8) == 8 ) break zzForAction;
- }
-
- }
- }
-
- // store back cached position
- zzMarkedPos = zzMarkedPosL;
-
- switch (zzAction < 0 ? zzAction : ZZ_ACTION[zzAction]) {
- case 11:
- { sb.append(yytext());
- }
- case 25: break;
- case 4:
- { sb = null; sb = new StringBuffer(); yybegin(STRING_BEGIN);
- }
- case 26: break;
- case 16:
- { sb.append('\b');
- }
- case 27: break;
- case 6:
- { return new Yytoken(Yytoken.TYPE_RIGHT_BRACE,null);
- }
- case 28: break;
- case 23:
- { Boolean val=Boolean.valueOf(yytext()); return new Yytoken(Yytoken.TYPE_VALUE, val);
- }
- case 29: break;
- case 22:
- { return new Yytoken(Yytoken.TYPE_VALUE, null);
- }
- case 30: break;
- case 13:
- { yybegin(YYINITIAL);return new Yytoken(Yytoken.TYPE_VALUE, sb.toString());
- }
- case 31: break;
- case 12:
- { sb.append('\\');
- }
- case 32: break;
- case 21:
- { Double val=Double.valueOf(yytext()); return new Yytoken(Yytoken.TYPE_VALUE, val);
- }
- case 33: break;
- case 1:
- { throw new ParseException(yychar, ParseException.ERROR_UNEXPECTED_CHAR, new Character(yycharat(0)));
- }
- case 34: break;
- case 8:
- { return new Yytoken(Yytoken.TYPE_RIGHT_SQUARE,null);
- }
- case 35: break;
- case 19:
- { sb.append('\r');
- }
- case 36: break;
- case 15:
- { sb.append('/');
- }
- case 37: break;
- case 10:
- { return new Yytoken(Yytoken.TYPE_COLON,null);
- }
- case 38: break;
- case 14:
- { sb.append('"');
- }
- case 39: break;
- case 5:
- { return new Yytoken(Yytoken.TYPE_LEFT_BRACE,null);
- }
- case 40: break;
- case 17:
- { sb.append('\f');
- }
- case 41: break;
- case 24:
- { try{
- int ch=Integer.parseInt(yytext().substring(2),16);
- sb.append((char)ch);
- }
- catch(Exception e){
- throw new ParseException(yychar, ParseException.ERROR_UNEXPECTED_EXCEPTION, e);
- }
- }
- case 42: break;
- case 20:
- { sb.append('\t');
- }
- case 43: break;
- case 7:
- { return new Yytoken(Yytoken.TYPE_LEFT_SQUARE,null);
- }
- case 44: break;
- case 2:
- { Long val=Long.valueOf(yytext()); return new Yytoken(Yytoken.TYPE_VALUE, val);
- }
- case 45: break;
- case 18:
- { sb.append('\n');
- }
- case 46: break;
- case 9:
- { return new Yytoken(Yytoken.TYPE_COMMA,null);
- }
- case 47: break;
- case 3:
- {
- }
- case 48: break;
- default:
- if (zzInput == YYEOF && zzStartRead == zzCurrentPos) {
- zzAtEOF = true;
- return null;
- }
- else {
- zzScanError(ZZ_NO_MATCH);
- }
- }
- }
- }
-
-
-}
diff --git a/src/main/java/org/json/simple/parser/Yytoken.java b/src/main/java/org/json/simple/parser/Yytoken.java
deleted file mode 100644
index ff14e27c..00000000
--- a/src/main/java/org/json/simple/parser/Yytoken.java
+++ /dev/null
@@ -1,58 +0,0 @@
-/*
- * $Id: Yytoken.java,v 1.1 2006/04/15 14:10:48 platform Exp $
- * Created on 2006-4-15
- */
-package org.json.simple.parser;
-
-/**
- * @author FangYidong
- */
-public class Yytoken {
- public static final int TYPE_VALUE=0;//JSON primitive value: string,number,boolean,null
- public static final int TYPE_LEFT_BRACE=1;
- public static final int TYPE_RIGHT_BRACE=2;
- public static final int TYPE_LEFT_SQUARE=3;
- public static final int TYPE_RIGHT_SQUARE=4;
- public static final int TYPE_COMMA=5;
- public static final int TYPE_COLON=6;
- public static final int TYPE_EOF=-1;//end of file
-
- public int type=0;
- public Object value=null;
-
- public Yytoken(int type,Object value){
- this.type=type;
- this.value=value;
- }
-
- public String toString(){
- StringBuffer sb = new StringBuffer();
- switch(type){
- case TYPE_VALUE:
- sb.append("VALUE(").append(value).append(")");
- break;
- case TYPE_LEFT_BRACE:
- sb.append("LEFT BRACE({)");
- break;
- case TYPE_RIGHT_BRACE:
- sb.append("RIGHT BRACE(})");
- break;
- case TYPE_LEFT_SQUARE:
- sb.append("LEFT SQUARE([)");
- break;
- case TYPE_RIGHT_SQUARE:
- sb.append("RIGHT SQUARE(])");
- break;
- case TYPE_COMMA:
- sb.append("COMMA(,)");
- break;
- case TYPE_COLON:
- sb.append("COLON(:)");
- break;
- case TYPE_EOF:
- sb.append("END OF FILE");
- break;
- }
- return sb.toString();
- }
-}
diff --git a/src/main/lex/jsonstrict.lex b/src/main/lex/jsonstrict.lex
new file mode 100644
index 00000000..87a194ed
--- /dev/null
+++ b/src/main/lex/jsonstrict.lex
@@ -0,0 +1,59 @@
+package com.github.cliftonlabs.json_simple;
+
+%%
+
+%{
+private StringBuilder sb=new StringBuilder();
+
+long getPosition(){
+ return yychar;
+}
+
+%}
+
+%pack
+%unicode
+%state STRING_BEGIN
+
+%yylexthrow JsonException
+%char
+
+HEX_D = [a-fA-F0-9]
+DOUBLE = [-]?[0-9]+((\.[0-9]+)?([eE][-+]?[0-9]+)?)
+WS = [ \t\r\n]
+UNESCAPED_CH = [^\"\\]
+FALLBACK_CH = .
+%%
+
+ \" { yybegin(YYINITIAL);return new Yytoken(Yytoken.Types.DATUM, sb.toString());}
+ {UNESCAPED_CH}+ { sb.append(yytext());}
+ \\\" {sb.append('"');}
+ \\\\ {sb.append('\\');}
+ \\\/ {sb.append('/');}
+ \\b {sb.append('\b');}
+ \\f {sb.append('\f');}
+ \\n {sb.append('\n');}
+ \\r {sb.append('\r');}
+ \\t {sb.append('\t');}
+ \\u{HEX_D}{HEX_D}{HEX_D}{HEX_D} { try{
+ int ch=Integer.parseInt(yytext().substring(2),16);
+ sb.append((char)ch);
+ }catch(Exception e){
+ /* The lexer is broken if it can build a 4 byte character code and fail to append the character. */
+ throw new JsonException(yychar, JsonException.Problems.UNEXPECTED_EXCEPTION, e);
+ }
+ }
+ \\ {sb.append('\\');}
+
+ \" { sb = null; sb = new StringBuilder(); yybegin(STRING_BEGIN);}
+ {DOUBLE} { java.math.BigDecimal val= new java.math.BigDecimal(yytext()); return new Yytoken(Yytoken.Types.DATUM, val);}
+ "true"|"false" { Boolean val=Boolean.valueOf(yytext()); return new Yytoken(Yytoken.Types.DATUM, val);}
+ "null" { return new Yytoken(Yytoken.Types.DATUM, null);}
+ "{" { return new Yytoken(Yytoken.Types.LEFT_BRACE, null);}
+ "}" { return new Yytoken(Yytoken.Types.RIGHT_BRACE, null);}
+ "[" { return new Yytoken(Yytoken.Types.LEFT_SQUARE, null);}
+ "]" { return new Yytoken(Yytoken.Types.RIGHT_SQUARE, null);}
+ "," { return new Yytoken(Yytoken.Types.COMMA, null);}
+ ":" { return new Yytoken(Yytoken.Types.COLON, null);}
+ {WS}+ {}
+ {FALLBACK_CH} { throw new JsonException(yychar, JsonException.Problems.UNEXPECTED_CHARACTER, new Character(yycharat(0)));}
diff --git a/src/test/java/com/github/cliftonlabs/json_simple/JsonArrayTest.java b/src/test/java/com/github/cliftonlabs/json_simple/JsonArrayTest.java
new file mode 100644
index 00000000..49a72af4
--- /dev/null
+++ b/src/test/java/com/github/cliftonlabs/json_simple/JsonArrayTest.java
@@ -0,0 +1,240 @@
+/* See: README for this file's copyright, terms, and conditions. */
+package com.github.cliftonlabs.json_simple;
+
+import java.math.BigDecimal;
+import java.util.HashSet;
+import java.util.LinkedHashMap;
+import java.util.LinkedList;
+import java.util.List;
+import java.util.Map;
+import java.util.Set;
+
+import org.junit.After;
+import org.junit.Assert;
+import org.junit.Before;
+import org.junit.Test;
+
+/** Ensures that JsonArray hasn't regressed in functionality or breaks its API contract. */
+public class JsonArrayTest{
+ /** Called before each Test Method. */
+ @Before
+ public void setUp(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Called after each Test method. */
+ @After
+ public void tearDown(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Ensures the chain methods insert elements as expected. */
+ @Test
+ public void testAddChains(){
+ final JsonArray allTest = new JsonArray();
+ allTest.add(6);
+ allTest.add("seven");
+ final JsonArray json = new JsonArray();
+ final JsonArray chained = new JsonArray().addChain("asdf").addChain(0, 1234).addAllChain(allTest).addAllChain(3, allTest);
+ json.add("asdf");
+ json.add(0, 1234);
+ json.addAll(allTest);
+ json.addAll(3, allTest);
+ Assert.assertEquals(json, chained);
+ }
+
+ /** Ensures a homogeneous JsonArray can be viewed as another collection of a specific type. */
+ @Test
+ public void testAsCollection(){
+ JsonArray json;
+ LinkedList parameterList;
+ HashSet parameterSet;
+ json = new JsonArray();
+ json.add(1);
+ json.add(2);
+ json.add(3);
+ json.add(4);
+ json.add(5);
+ parameterList = new LinkedList<>();
+ parameterSet = new HashSet<>();
+ json.asCollection(parameterList);
+ json.asCollection(parameterSet);
+ Assert.assertTrue(parameterList.contains(1));
+ Assert.assertTrue(parameterList.contains(2));
+ Assert.assertTrue(parameterList.contains(3));
+ Assert.assertTrue(parameterList.contains(4));
+ Assert.assertTrue(parameterList.contains(5));
+ Assert.assertTrue(parameterSet.contains(1));
+ Assert.assertTrue(parameterSet.contains(2));
+ Assert.assertTrue(parameterSet.contains(3));
+ Assert.assertTrue(parameterSet.contains(4));
+ Assert.assertTrue(parameterSet.contains(5));
+ }
+
+ /** Ensures another collection can be used to instantiate a JsonArray. */
+ @Test
+ public void testConstructor(){
+ JsonArray json;
+ LinkedList parameterList;
+ HashSet parameterSet;
+ parameterList = new LinkedList<>();
+ parameterList.add(5);
+ parameterList.add(10);
+ parameterList.add(15);
+ json = new JsonArray(parameterList);
+ Assert.assertTrue(json.contains(5));
+ Assert.assertTrue(json.contains(10));
+ Assert.assertTrue(json.contains(15));
+ parameterSet = new HashSet<>();
+ parameterSet.add(20);
+ parameterSet.add(25);
+ parameterSet.add(30);
+ json = new JsonArray(parameterSet);
+ Assert.assertTrue(json.contains(20));
+ Assert.assertTrue(json.contains(25));
+ Assert.assertTrue(json.contains(30));
+ }
+
+ /** Ensures a BigDecimal can be gotten if there is a BigDecimal, Number, or String at the index. */
+ @Test
+ public void testGetBigDecimal(){
+ final JsonArray json = new JsonArray();
+ json.add(new BigDecimal("0"));
+ json.add(Double.valueOf(0));
+ json.add(Float.valueOf(0));
+ json.add(Long.valueOf(0));
+ json.add(Integer.valueOf(0));
+ json.add(Short.valueOf((short)0));
+ json.add(Byte.valueOf((byte)0));
+ json.add(new String("0"));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(0));
+ Assert.assertEquals(new BigDecimal("0.0"), json.getBigDecimal(1));
+ Assert.assertEquals(new BigDecimal("0.0"), json.getBigDecimal(2));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(3));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(4));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(5));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(6));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(7));
+ }
+
+ /** Ensures a Collection can be returned from an index. */
+ @Test
+ public void testGetCollection(){
+ final JsonArray json = new JsonArray();
+ LinkedList list;
+ HashSet set;
+ JsonArray array;
+ List> output0;
+ Set> output1;
+ JsonArray output2;
+ list = new LinkedList<>();
+ list.add(5);
+ list.add(10);
+ list.add(15);
+ set = new HashSet<>();
+ set.add(20);
+ set.add(25);
+ set.add(30);
+ array = new JsonArray();
+ array.add(35);
+ array.add(40);
+ array.add(45);
+ json.add(list);
+ json.add(set);
+ json.add(array);
+ output0 = json.getCollection(0);
+ Assert.assertTrue(output0.contains(5));
+ Assert.assertTrue(output0.contains(10));
+ Assert.assertTrue(output0.contains(15));
+ output1 = json.getCollection(1);
+ Assert.assertTrue(output1.contains(20));
+ Assert.assertTrue(output1.contains(25));
+ Assert.assertTrue(output1.contains(30));
+ output2 = json.getCollection(2);
+ Assert.assertTrue(output2.contains(35));
+ Assert.assertTrue(output2.contains(40));
+ Assert.assertTrue(output2.contains(45));
+ }
+
+ /** Ensure a map can be returned from an index. */
+ @Test
+ public void testGetMap(){
+ final JsonArray json = new JsonArray();
+ final LinkedHashMap map = new LinkedHashMap<>();
+ final JsonObject object = new JsonObject();
+ Map, ?> output0;
+ JsonObject output1;
+ map.put("key0", 0);
+ map.put("key1", 1);
+ map.put("key2", 2);
+ object.put("key3", 3);
+ object.put("key4", 4);
+ object.put("key5", 5);
+ json.add(map);
+ json.add(object);
+ output0 = json.> getMap(0);
+ Assert.assertTrue(output0.containsKey("key0"));
+ Assert.assertTrue(output0.containsKey("key1"));
+ Assert.assertTrue(output0.containsKey("key2"));
+ Assert.assertTrue(output0.containsValue(0));
+ Assert.assertTrue(output0.containsValue(1));
+ Assert.assertTrue(output0.containsValue(2));
+ output1 = json. getMap(1);
+ Assert.assertTrue(output1.containsKey("key3"));
+ Assert.assertTrue(output1.containsKey("key4"));
+ Assert.assertTrue(output1.containsKey("key5"));
+ Assert.assertTrue(output1.containsValue(3));
+ Assert.assertTrue(output1.containsValue(4));
+ Assert.assertTrue(output1.containsValue(5));
+ }
+
+ /** Ensures basic JSON values can be gotten. */
+ @Test
+ public void testOtherJsonGets(){
+ final JsonArray json = new JsonArray();
+ json.add("101");
+ json.add(true);
+ json.add(101);
+ json.add(new BigDecimal("101"));
+ json.add(null);
+ /* Booleans are gotten from strings and booleans. */
+ Assert.assertEquals(true, json.getBoolean(1));
+ Assert.assertEquals(false, json.getBoolean(0));
+ /* Numbers are gotten from strings. */
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByte(0));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShort(0));
+ Assert.assertEquals(Integer.valueOf(101), json.getInteger(0));
+ Assert.assertEquals(Long.valueOf(101), json.getLong(0));
+ Assert.assertEquals(Float.valueOf(101), json.getFloat(0));
+ Assert.assertEquals(Double.valueOf(101), json.getDouble(0));
+ /* Numbers are gotten from numbers. */
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByte(2));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShort(2));
+ Assert.assertEquals(Integer.valueOf(101), json.getInteger(2));
+ Assert.assertEquals(Long.valueOf(101), json.getLong(2));
+ Assert.assertEquals(Float.valueOf(101), json.getFloat(2));
+ Assert.assertEquals(Double.valueOf(101), json.getDouble(2));
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByte(3));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShort(3));
+ Assert.assertEquals(Integer.valueOf(101), json.getInteger(3));
+ Assert.assertEquals(Long.valueOf(101), json.getLong(3));
+ Assert.assertEquals(Float.valueOf(101), json.getFloat(3));
+ Assert.assertEquals(Double.valueOf(101), json.getDouble(3));
+ /* Strings are gotten from booleans, numbers, and strings. */
+ Assert.assertEquals("101", json.getString(0));
+ Assert.assertEquals("true", json.getString(1));
+ Assert.assertEquals("101", json.getString(2));
+ Assert.assertEquals("101", json.getString(3));
+ /* Gets return null if the value is null. */
+ Assert.assertEquals(null, json.getString(4));
+ Assert.assertEquals(null, json.getBigDecimal(4));
+ Assert.assertEquals(null, json.getBoolean(4));
+ Assert.assertEquals(null, json.getByte(4));
+ Assert.assertEquals(null, json.getShort(4));
+ Assert.assertEquals(null, json.getInteger(4));
+ Assert.assertEquals(null, json.getLong(4));
+ Assert.assertEquals(null, json.getFloat(4));
+ Assert.assertEquals(null, json.getDouble(4));
+ Assert.assertEquals(null, json.get(4));
+ }
+}
diff --git a/src/test/java/com/github/cliftonlabs/json_simple/JsonObjectTest.java b/src/test/java/com/github/cliftonlabs/json_simple/JsonObjectTest.java
new file mode 100644
index 00000000..7472f312
--- /dev/null
+++ b/src/test/java/com/github/cliftonlabs/json_simple/JsonObjectTest.java
@@ -0,0 +1,307 @@
+/* See: README for this file's copyright, terms, and conditions. */
+package com.github.cliftonlabs.json_simple;
+
+import java.math.BigDecimal;
+import java.util.HashMap;
+import java.util.HashSet;
+import java.util.LinkedHashMap;
+import java.util.LinkedList;
+import java.util.List;
+import java.util.Map;
+import java.util.NoSuchElementException;
+import java.util.Set;
+
+import org.junit.After;
+import org.junit.Assert;
+import org.junit.Before;
+import org.junit.Test;
+
+/** Ensures that JsonObject hasn't regressed in functionality or breaks its API contract. */
+public class JsonObjectTest{
+ @SuppressWarnings("javadoc")
+ private enum TestEnums{
+ A,
+ B;
+ }
+
+ @SuppressWarnings("javadoc")
+ private static enum TestKeys implements JsonKey{
+ DNE(null),
+ DNE_BIG_DECIMAL(new BigDecimal("101")),
+ DNE_COLLECTION(new JsonArray()),
+ DNE_ENUM(JsonObjectTest.TestEnums.A),
+ DNE_MAP(new JsonObject()),
+ DNE2(null),
+ key0(null),
+ key1(null),
+ key2(null),
+ key3(null),
+ key4(null),
+ key5(null),
+ key6(null),
+ key7(null),
+ key8(null);
+
+ private final Object value;
+
+ private TestKeys(final Object value){
+ this.value = value;
+ }
+
+ @Override
+ public String getKey(){
+ return this.name();
+ }
+
+ @Override
+ public Object getValue(){
+ return this.value;
+ }
+ }
+
+ /** Called before each Test Method. */
+ @Before
+ public void setUp(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Called after each Test method. */
+ @After
+ public void tearDown(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Ensures another Map can be used to instantiate a JsonObject. */
+ @Test
+ public void testConstructor(){
+ JsonObject json;
+ LinkedHashMap parameter;
+ parameter = new LinkedHashMap<>();
+ parameter.put("key0", 5);
+ parameter.put("key1", 10);
+ parameter.put("key2", 15);
+ json = new JsonObject(parameter);
+ Assert.assertTrue(json.containsKey("key0"));
+ Assert.assertTrue(json.containsKey("key1"));
+ Assert.assertTrue(json.containsKey("key2"));
+ Assert.assertTrue(json.containsValue(5));
+ Assert.assertTrue(json.containsValue(10));
+ Assert.assertTrue(json.containsValue(15));
+ }
+
+ /** Ensures a BigDecimal can be gotten if there is a BigDecimal, Number, or String at the key. */
+ @Test
+ public void testGetBigDecimal(){
+ final JsonObject json = new JsonObject();
+ json.put(TestKeys.key0, new BigDecimal("0"));
+ json.put(TestKeys.key1, Double.valueOf(0));
+ json.put(TestKeys.key2, Float.valueOf(0));
+ json.put(TestKeys.key3, Long.valueOf(0));
+ json.put(TestKeys.key4, Integer.valueOf(0));
+ json.put(TestKeys.key5, Short.valueOf((short)0));
+ json.put(TestKeys.key6, Byte.valueOf((byte)0));
+ json.put(TestKeys.key7, new String("0"));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(TestKeys.key0));
+ Assert.assertEquals(new BigDecimal("0.0"), json.getBigDecimal(TestKeys.key1));
+ Assert.assertEquals(new BigDecimal("0.0"), json.getBigDecimal(TestKeys.key2));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(TestKeys.key3));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(TestKeys.key4));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(TestKeys.key5));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(TestKeys.key6));
+ Assert.assertEquals(new BigDecimal("0"), json.getBigDecimal(TestKeys.key7));
+ Assert.assertEquals(new BigDecimal("101"), json.getBigDecimalOrDefault(TestKeys.DNE_BIG_DECIMAL));
+ }
+
+ /** Ensures a Collection can be returned from a key. */
+ @Test
+ public void testGetCollection(){
+ final JsonObject json = new JsonObject();
+ LinkedList list;
+ HashSet set;
+ JsonArray array;
+ List> output0;
+ Set> output1;
+ JsonArray output2;
+ list = new LinkedList<>();
+ list.add(5);
+ list.add(10);
+ list.add(15);
+ set = new HashSet<>();
+ set.add(20);
+ set.add(25);
+ set.add(30);
+ array = new JsonArray();
+ array.add(35);
+ array.add(40);
+ array.add(45);
+ json.put(TestKeys.key0, list);
+ json.put(TestKeys.key1, set);
+ json.put(TestKeys.key2, array);
+ output0 = json.getCollection(TestKeys.key0);
+ Assert.assertTrue(output0.contains(5));
+ Assert.assertTrue(output0.contains(10));
+ Assert.assertTrue(output0.contains(15));
+ output1 = json.getCollection(TestKeys.key1);
+ Assert.assertTrue(output1.contains(20));
+ Assert.assertTrue(output1.contains(25));
+ Assert.assertTrue(output1.contains(30));
+ output2 = json.getCollection(TestKeys.key2);
+ Assert.assertTrue(output2.contains(35));
+ Assert.assertTrue(output2.contains(40));
+ Assert.assertTrue(output2.contains(45));
+ Assert.assertEquals(new JsonArray(), json.getCollectionOrDefault(TestKeys.DNE_COLLECTION));
+ }
+
+ /** Ensure a map can be returned from a key. */
+ @Test
+ public void testGetMap(){
+ final JsonObject json = new JsonObject();
+ final LinkedHashMap map = new LinkedHashMap<>();
+ final JsonObject object = new JsonObject();
+ Map, ?> output0;
+ JsonObject output1;
+ map.put(TestKeys.key0.getKey(), 0);
+ map.put(TestKeys.key1.getKey(), 1);
+ map.put(TestKeys.key2.getKey(), 2);
+ object.put(TestKeys.key3, 3);
+ object.put(TestKeys.key4, 4);
+ object.put(TestKeys.key5, 5);
+ json.put(TestKeys.key6, map);
+ json.put(TestKeys.key7, object);
+ output0 = json.> getMap(TestKeys.key6);
+ Assert.assertTrue(output0.containsKey(TestKeys.key0.getKey()));
+ Assert.assertTrue(output0.containsKey(TestKeys.key1.getKey()));
+ Assert.assertTrue(output0.containsKey(TestKeys.key2.getKey()));
+ Assert.assertTrue(output0.containsValue(0));
+ Assert.assertTrue(output0.containsValue(1));
+ Assert.assertTrue(output0.containsValue(2));
+ output1 = json. getMap(TestKeys.key7);
+ Assert.assertTrue(output1.containsKey(TestKeys.key3.getKey()));
+ Assert.assertTrue(output1.containsKey(TestKeys.key4.getKey()));
+ Assert.assertTrue(output1.containsKey(TestKeys.key5.getKey()));
+ Assert.assertTrue(output1.containsValue(3));
+ Assert.assertTrue(output1.containsValue(4));
+ Assert.assertTrue(output1.containsValue(5));
+ Assert.assertEquals(new JsonObject(), json.getMapOrDefault(TestKeys.DNE_MAP));
+ }
+
+ /** Ensures basic JSON values can be gotten. */
+ @Test
+ public void testOtherJsonGets(){
+ final JsonObject json = new JsonObject();
+ /* Key0 -> string
+ * key1 -> boolean
+ * key2 -> number
+ * key3 -> big decimal
+ * key4 -> null
+ * TestKeys need to swap values once in a while. */
+ json.put(TestKeys.key0, "101");
+ json.put(TestKeys.key1, true);
+ json.put(TestKeys.key2, 101);
+ json.put(TestKeys.key3, new BigDecimal("101"));
+ json.put(TestKeys.key4, null);
+ /* Booleans are gotten from strings and booleans. */
+ Assert.assertEquals(true, json.getBoolean(TestKeys.key1));
+ Assert.assertEquals(false, json.getBoolean(TestKeys.key0));
+ Assert.assertEquals(true, json.getBooleanOrDefault(Jsoner.mintJsonKey("key1", false)));
+ Assert.assertEquals(false, json.getBooleanOrDefault(Jsoner.mintJsonKey("key0", true)));
+ /* Numbers are gotten from strings. */
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByte(TestKeys.key0));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShort(TestKeys.key0));
+ Assert.assertEquals(Integer.valueOf(101), json.getInteger(TestKeys.key0));
+ Assert.assertEquals(Long.valueOf(101), json.getLong(TestKeys.key0));
+ Assert.assertEquals(Float.valueOf(101), json.getFloat(TestKeys.key0));
+ Assert.assertEquals(Double.valueOf(101), json.getDouble(TestKeys.key0));
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByteOrDefault(Jsoner.mintJsonKey("key0", (byte)0)));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShortOrDefault(Jsoner.mintJsonKey("key0", (short)0)));
+ Assert.assertEquals(Integer.valueOf(101), json.getIntegerOrDefault(Jsoner.mintJsonKey("key0", 0)));
+ Assert.assertEquals(Long.valueOf(101), json.getLongOrDefault(Jsoner.mintJsonKey("key0", 0)));
+ Assert.assertEquals(Float.valueOf(101), json.getFloatOrDefault(Jsoner.mintJsonKey("key0", 0)));
+ Assert.assertEquals(Double.valueOf(101), json.getDoubleOrDefault(Jsoner.mintJsonKey("key0", 0)));
+ /* Numbers are gotten from numbers. */
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByte(TestKeys.key2));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShort(TestKeys.key2));
+ Assert.assertEquals(Integer.valueOf(101), json.getInteger(TestKeys.key2));
+ Assert.assertEquals(Long.valueOf(101), json.getLong(TestKeys.key2));
+ Assert.assertEquals(Float.valueOf(101), json.getFloat(TestKeys.key2));
+ Assert.assertEquals(Double.valueOf(101), json.getDouble(TestKeys.key2));
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByteOrDefault(Jsoner.mintJsonKey("key2", (byte)0)));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShortOrDefault(Jsoner.mintJsonKey("key2", (short)0)));
+ Assert.assertEquals(Integer.valueOf(101), json.getIntegerOrDefault(Jsoner.mintJsonKey("key2", 0)));
+ Assert.assertEquals(Long.valueOf(101), json.getLongOrDefault(Jsoner.mintJsonKey("key2", 0)));
+ Assert.assertEquals(Float.valueOf(101), json.getFloatOrDefault(Jsoner.mintJsonKey("key2", 0)));
+ Assert.assertEquals(Double.valueOf(101), json.getDoubleOrDefault(Jsoner.mintJsonKey("key2", 0)));
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByte(TestKeys.key3));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShort(TestKeys.key3));
+ Assert.assertEquals(Integer.valueOf(101), json.getInteger(TestKeys.key3));
+ Assert.assertEquals(Long.valueOf(101), json.getLong(TestKeys.key3));
+ Assert.assertEquals(Float.valueOf(101), json.getFloat(TestKeys.key3));
+ Assert.assertEquals(Double.valueOf(101), json.getDouble(TestKeys.key3));
+ Assert.assertEquals(Byte.valueOf((byte)101), json.getByteOrDefault(Jsoner.mintJsonKey("key3", (byte)0)));
+ Assert.assertEquals(Short.valueOf((short)101), json.getShortOrDefault(Jsoner.mintJsonKey("key3", (short)0)));
+ Assert.assertEquals(Integer.valueOf(101), json.getIntegerOrDefault(Jsoner.mintJsonKey("key3", 0)));
+ Assert.assertEquals(Long.valueOf(101), json.getLongOrDefault(Jsoner.mintJsonKey("key3", 0)));
+ Assert.assertEquals(Float.valueOf(101), json.getFloatOrDefault(Jsoner.mintJsonKey("key3", 0)));
+ Assert.assertEquals(Double.valueOf(101), json.getDoubleOrDefault(Jsoner.mintJsonKey("key3", 0)));
+ /* Strings are gotten from booleans, numbers, and strings. */
+ Assert.assertEquals("101", json.getString(TestKeys.key0));
+ Assert.assertEquals("true", json.getString(TestKeys.key1));
+ Assert.assertEquals("101", json.getString(TestKeys.key2));
+ Assert.assertEquals("101", json.getString(TestKeys.key3));
+ Assert.assertEquals("101", json.getStringOrDefault(Jsoner.mintJsonKey("key0", "failed")));
+ Assert.assertEquals("true", json.getStringOrDefault(Jsoner.mintJsonKey("key1", "failed")));
+ Assert.assertEquals("101", json.getStringOrDefault(Jsoner.mintJsonKey("key2", "failed")));
+ Assert.assertEquals("101", json.getStringOrDefault(Jsoner.mintJsonKey("key3", "failed")));
+ /* Gets return null if the value is null. */
+ Assert.assertEquals(null, json.getStringOrDefault(Jsoner.mintJsonKey("key4", "")));
+ Assert.assertEquals(null, json.getBigDecimalOrDefault(Jsoner.mintJsonKey("key4", new BigDecimal(0))));
+ Assert.assertEquals(null, json.getBooleanOrDefault(Jsoner.mintJsonKey("key4", true)));
+ Assert.assertEquals(null, json.getByteOrDefault(Jsoner.mintJsonKey("key4", (byte)0)));
+ Assert.assertEquals(null, json.getShortOrDefault(Jsoner.mintJsonKey("key4", (short)0)));
+ Assert.assertEquals(null, json.getIntegerOrDefault(Jsoner.mintJsonKey("key4", 0)));
+ Assert.assertEquals(null, json.getLongOrDefault(Jsoner.mintJsonKey("key4", 0L)));
+ Assert.assertEquals(null, json.getFloatOrDefault(Jsoner.mintJsonKey("key4", 0)));
+ Assert.assertEquals(null, json.getDoubleOrDefault(Jsoner.mintJsonKey("key4", 0)));
+ Assert.assertEquals(null, json.getString(TestKeys.key4));
+ Assert.assertEquals(null, json.getBigDecimal(TestKeys.key4));
+ Assert.assertEquals(null, json.getBoolean(TestKeys.key4));
+ Assert.assertEquals(null, json.getByte(TestKeys.key4));
+ Assert.assertEquals(null, json.getShort(TestKeys.key4));
+ Assert.assertEquals(null, json.getInteger(TestKeys.key4));
+ Assert.assertEquals(null, json.getLong(TestKeys.key4));
+ Assert.assertEquals(null, json.getFloat(TestKeys.key4));
+ Assert.assertEquals(null, json.getDouble(TestKeys.key4));
+ Assert.assertEquals(null, json.get(TestKeys.key4));
+ }
+
+ /** Ensures the chain methods put entries as expected. */
+ @Test
+ public void testPutChains(){
+ final Map testAll = new HashMap<>();
+ testAll.put("field1", "value1");
+ testAll.put("field2", 2);
+ testAll.put("field3", "three");
+ final JsonObject json = new JsonObject();
+ final JsonObject chained = new JsonObject().putChain("field4", "4four").putAllChain(testAll);
+ json.put("field4", "4four");
+ json.putAllChain(testAll);
+ Assert.assertEquals(json, chained);
+ }
+
+ /** Ensures that when keys are present it does not throw NoSuchElementException. */
+ @Test
+ public void testRequires(){
+ final JsonObject json = new JsonObject();
+ json.put(TestKeys.key0, 0);
+ json.put(TestKeys.key1, 0);
+ json.put(TestKeys.key2, 0);
+ json.requireKeys(TestKeys.key0, TestKeys.key1);
+ }
+
+ /** Ensures that when required keys are not present the NoSuchElementException is thrown. */
+ @Test(expected = NoSuchElementException.class)
+ public void testRequiresThrows(){
+ final JsonObject json = new JsonObject();
+ json.requireKeys(TestKeys.DNE, TestKeys.DNE2);
+ }
+}
diff --git a/src/test/java/com/github/cliftonlabs/json_simple/JsonerTest.java b/src/test/java/com/github/cliftonlabs/json_simple/JsonerTest.java
new file mode 100644
index 00000000..59be7b20
--- /dev/null
+++ b/src/test/java/com/github/cliftonlabs/json_simple/JsonerTest.java
@@ -0,0 +1,505 @@
+/* See: README for this file's copyright, terms, and conditions. */
+package com.github.cliftonlabs.json_simple;
+
+import java.io.IOException;
+import java.io.StringReader;
+import java.io.StringWriter;
+import java.math.BigDecimal;
+
+import org.junit.After;
+import org.junit.Assert;
+import org.junit.Before;
+import org.junit.Test;
+
+/** Ensures that deserialization and serialization hasn't regressed in functionality or breaks its API contract. */
+public class JsonerTest{
+ /** Called before each Test Method. */
+ @Before
+ public void setUp(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Called after each Test method. */
+ @After
+ public void tearDown(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Ensures arrays are directly deserializable.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testArrayDeserialization() throws JsonException{
+ JsonArray defaultValue;
+ Object deserialized;
+ /* Trailing commas are common causes of wasting time debugging JSON. Allowing it in deserialization will
+ * inevitably make it feel more simple and save the user time debugging pointless things. */
+ deserialized = Jsoner.deserialize("[,]");
+ Assert.assertEquals(new JsonArray(), deserialized);
+ /* Serializing JsonArrays directly requires a defaultValue in case it doesn't deserialize a JsonArray. */
+ defaultValue = new JsonArray();
+ defaultValue.add("default");
+ deserialized = Jsoner.deserialize("[,]", defaultValue);
+ Assert.assertEquals(new JsonArray(), deserialized);
+ /* The call should return the defaultValue instead. */
+ deserialized = Jsoner.deserialize("[asdf,]", defaultValue);
+ Assert.assertEquals(defaultValue, deserialized);
+ }
+
+ /** Ensures arrays are serializable.
+ * @throws IOException if the test fails. */
+ @Test
+ public void testArraySerialization() throws IOException{
+ StringWriter serialized;
+ /* Extraneous commas are not allowed when serializing an array. */
+ serialized = new StringWriter();
+ Jsoner.serialize(new JsonArray(), serialized);
+ Assert.assertEquals("[]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(new JsonArray(), serialized);
+ Assert.assertEquals("[]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(new JsonArray(), serialized);
+ Assert.assertEquals("[]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new boolean[]{true, false, true}, serialized);
+ Assert.assertEquals("[true,false,true]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new byte[]{0, 1, 2}, serialized);
+ Assert.assertEquals("[0,1,2]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new short[]{0, 1, 2}, serialized);
+ Assert.assertEquals("[0,1,2]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new int[]{0, 1, 2}, serialized);
+ Assert.assertEquals("[0,1,2]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new long[]{0, 1, 2}, serialized);
+ Assert.assertEquals("[0,1,2]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new float[]{0.0f, 1.0f, 2.0f}, serialized);
+ Assert.assertEquals("[0.0,1.0,2.0]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new double[]{0.0, 1.0, 2.0}, serialized);
+ Assert.assertEquals("[0.0,1.0,2.0]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new char[]{'a', 'b', 'c'}, serialized);
+ Assert.assertEquals("[\"a\",\"b\",\"c\"]", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new Object[]{"a", "b", "d"}, serialized);
+ Assert.assertEquals("[\"a\",\"b\",\"d\"]", serialized.toString());
+ }
+
+ /** Ensures booleans are directly deserializable.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testBooleanDeserialization() throws JsonException{
+ Object deserialized;
+ deserialized = Jsoner.deserialize("true");
+ Assert.assertEquals(true, deserialized);
+ deserialized = Jsoner.deserialize("false");
+ Assert.assertEquals(false, deserialized);
+ }
+
+ /** Ensures booleans are serializable.
+ * @throws IOException if the test fails. */
+ @Test
+ public void testBooleanSerialization() throws IOException{
+ StringWriter serialized;
+ serialized = new StringWriter();
+ Jsoner.serialize(true, serialized);
+ Assert.assertEquals("true", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(true, serialized);
+ Assert.assertEquals("true", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(true, serialized);
+ Assert.assertEquals("true", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(false, serialized);
+ Assert.assertEquals("false", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(false, serialized);
+ Assert.assertEquals("false", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(false, serialized);
+ Assert.assertEquals("false", serialized.toString());
+ }
+
+ /** Ensures multiple concatenated JSON values are directly deserializable.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testDeserializationMany() throws JsonException{
+ final StringBuilder deserializable = new StringBuilder();
+ JsonArray expected;
+ Object deserialized;
+ /* Build the input string and the expected output one by one. */
+ expected = new JsonArray();
+ deserializable.append(false);
+ expected.add(false);
+ deserializable.append("{}");
+ expected.add(new JsonObject());
+ deserializable.append("{}");
+ expected.add(new JsonObject());
+ deserializable.append("{}");
+ expected.add(new JsonObject());
+ deserializable.append((String)null);
+ expected.add(null);
+ deserializable.append((String)null);
+ expected.add(null);
+ deserializable.append((String)null);
+ expected.add(null);
+ deserializable.append(true);
+ expected.add(true);
+ deserializable.append(true);
+ expected.add(true);
+ deserializable.append("[]");
+ expected.add(new JsonArray());
+ deserializable.append("123");
+ expected.add(new BigDecimal("123"));
+ deserializable.append("{}");
+ expected.add(new JsonObject());
+ deserializable.append("[]");
+ expected.add(new JsonArray());
+ deserializable.append("12.3");
+ expected.add(new BigDecimal("12.3"));
+ deserializable.append("\"\"");
+ expected.add("");
+ deserializable.append("\"\\\"\\\"\"");
+ expected.add("\"\"");
+ deserializable.append("\"String\"");
+ expected.add("String");
+ deserializable.append("12.3e-10");
+ expected.add(new BigDecimal("12.3e-10"));
+ deserializable.append("[]");
+ expected.add(new JsonArray());
+ deserializable.append("[]");
+ expected.add(new JsonArray());
+ deserializable.append("[]");
+ expected.add(new JsonArray());
+ deserialized = Jsoner.deserializeMany(new StringReader(deserializable.toString()));
+ Assert.assertEquals(expected, deserialized);
+ }
+
+ /** Ensures that compiler errors won't manifest in changes to the JsonException class. */
+ @Test
+ public void testJsonExceptionHandling(){
+ final long position;
+ final JsonException.Problems problem;
+ final Object unexpectedObject;
+ try{
+ throw new JsonException(0, JsonException.Problems.UNEXPECTED_CHARACTER, new Character('a'));
+ }catch(final JsonException caught){
+ position = caught.getPosition();
+ problem = caught.getProblemType();
+ unexpectedObject = caught.getUnexpectedObject();
+ }
+ Assert.assertEquals(0, position);
+ Assert.assertEquals(JsonException.Problems.UNEXPECTED_CHARACTER, problem);
+ Assert.assertEquals(new Character('a'), unexpectedObject);
+ }
+
+ /** Ensures booleans, JsonArray, JsonObject, null, numbers, and Strings are deserializable while inside a JsonObject
+ * or JsonArray.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testNestedDeserialization() throws JsonException{
+ JsonArray expectedArray;
+ JsonObject expectedObject;
+ Object deserialized;
+ /* Set up the expected array. */
+ expectedArray = new JsonArray();
+ expectedArray.add(true);
+ expectedArray.add(false);
+ expectedArray.add(new JsonArray());
+ expectedArray.add(new JsonObject());
+ expectedArray.add(null);
+ expectedArray.add(new BigDecimal("-0.0e-100"));
+ expectedArray.add("String");
+ /* Set up the expected object. */
+ expectedObject = new JsonObject();
+ expectedObject.put("key0", true);
+ expectedObject.put("key1", false);
+ expectedObject.put("key2", new JsonArray());
+ expectedObject.put("key3", new JsonObject());
+ expectedObject.put("key4", null);
+ expectedObject.put("key5", new BigDecimal("-0.0e-100"));
+ expectedObject.put("key6", "String");
+ /* Check that the nested serializations worked, with extra commas for good measure. */
+ deserialized = Jsoner.deserialize("[true,false,[],,{},null,-0.0e-100,,\"String\",]");
+ Assert.assertEquals(expectedArray, deserialized);
+ deserialized = Jsoner.deserialize("{\"key0\":true,\"key1\":false,\"key2\":[],,\"key3\":{},,\"key4\":null,\"key5\":-0.0e-100,\"key6\":\"String\",}");
+ Assert.assertEquals(expectedObject, deserialized);
+ }
+
+ /** Ensures booleans, JsonArray, JsonObject, null, numbers, and Strings are serializable while inside a JsonObject
+ * or JsonArray.
+ * @throws IOException if the test failed. */
+ @Test
+ public void testNestedSerialization() throws IOException{
+ JsonArray inputArray;
+ JsonObject inputObject;
+ StringWriter output;
+ String serialized;
+ /* Set up the input array. */
+ inputArray = new JsonArray();
+ inputArray.add(true);
+ inputArray.add(false);
+ inputArray.add(new JsonArray());
+ inputArray.add(new JsonObject());
+ inputArray.add(null);
+ inputArray.add(new BigDecimal("-0.0e-100"));
+ inputArray.add("String");
+ /* Set up the input object. */
+ inputObject = new JsonObject();
+ inputObject.put("key0", true);
+ inputObject.put("key1", false);
+ inputObject.put("key2", new JsonArray());
+ inputObject.put("key3", new JsonObject());
+ inputObject.put("key4", null);
+ inputObject.put("key5", new BigDecimal("-0.0e-100"));
+ inputObject.put("key6", "String");
+ /* Check that the nested serializations worked and should never have extraneous commas.
+ * First check the array's serialization [normal, strictly, carelessly] output. */
+ output = new StringWriter();
+ Jsoner.serialize(inputArray, output);
+ serialized = output.toString();
+ Assert.assertEquals("[true,false,[],{},null,0E-101,\"String\"]", output.toString());
+ output = new StringWriter();
+ Jsoner.serializeStrictly(inputArray, output);
+ serialized = output.toString();
+ Assert.assertEquals("[true,false,[],{},null,0E-101,\"String\"]", output.toString());
+ output = new StringWriter();
+ Jsoner.serializeCarelessly(inputArray, output);
+ serialized = output.toString();
+ Assert.assertEquals("[true,false,[],{},null,0E-101,\"String\"]", output.toString());
+ /* Next check the object's serialization [normal, strictly, carelessly] output. */
+ output = new StringWriter();
+ Jsoner.serialize(inputObject, output);
+ serialized = output.toString();
+ /* Ensure it started with a '{' and ended with a '}'. */
+ Assert.assertTrue(serialized.charAt(0) == '{');
+ Assert.assertTrue(serialized.charAt(serialized.length() - 1) == '}');
+ /* Ensure each key and value were present in the correct format. */
+ Assert.assertTrue(serialized.contains("\"key0\":true"));
+ Assert.assertTrue(serialized.contains("\"key1\":false"));
+ Assert.assertTrue(serialized.contains("\"key2\":[]"));
+ Assert.assertTrue(serialized.contains("\"key3\":{}"));
+ Assert.assertTrue(serialized.contains("\"key4\":null"));
+ Assert.assertTrue(serialized.contains("\"key5\":0E-101"));
+ Assert.assertTrue(serialized.contains("\"key6\":\"String\""));
+ /* Ensure there were the correct amount of entries separated by a comma. */
+ Assert.assertTrue(serialized.split(",").length == 7);
+ output = new StringWriter();
+ Jsoner.serializeStrictly(inputObject, output);
+ serialized = output.toString();
+ /* Ensure it started with a '{' and ended with a '}'. */
+ Assert.assertTrue(serialized.charAt(0) == '{');
+ Assert.assertTrue(serialized.charAt(serialized.length() - 1) == '}');
+ /* Ensure each key and value were present in the correct format. */
+ Assert.assertTrue(serialized.contains("\"key0\":true"));
+ Assert.assertTrue(serialized.contains("\"key1\":false"));
+ Assert.assertTrue(serialized.contains("\"key2\":[]"));
+ Assert.assertTrue(serialized.contains("\"key3\":{}"));
+ Assert.assertTrue(serialized.contains("\"key4\":null"));
+ Assert.assertTrue(serialized.contains("\"key5\":0E-101"));
+ Assert.assertTrue(serialized.contains("\"key6\":\"String\""));
+ /* Ensure there were the correct amount of entries separated by a comma. */
+ Assert.assertTrue(serialized.split(",").length == 7);
+ output = new StringWriter();
+ Jsoner.serializeCarelessly(inputObject, output);
+ serialized = output.toString();
+ /* Ensure it started with a '{' and ended with a '}'. */
+ Assert.assertTrue(serialized.charAt(0) == '{');
+ Assert.assertTrue(serialized.charAt(serialized.length() - 1) == '}');
+ /* Ensure each key and value were present in the correct format. */
+ Assert.assertTrue(serialized.contains("\"key0\":true"));
+ Assert.assertTrue(serialized.contains("\"key1\":false"));
+ Assert.assertTrue(serialized.contains("\"key2\":[]"));
+ Assert.assertTrue(serialized.contains("\"key3\":{}"));
+ Assert.assertTrue(serialized.contains("\"key4\":null"));
+ Assert.assertTrue(serialized.contains("\"key5\":0E-101"));
+ Assert.assertTrue(serialized.contains("\"key6\":\"String\""));
+ /* Ensure there were the correct amount of entries separated by a comma. */
+ Assert.assertTrue(serialized.split(",").length == 7);
+ }
+
+ /** Ensures null is directly deserializable.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testNullDeserialization() throws JsonException{
+ Object deserialized;
+ deserialized = Jsoner.deserialize("null");
+ Assert.assertEquals(null, deserialized);
+ }
+
+ /** Ensures null is serializable.
+ * @throws IOException if the test fails. */
+ @Test
+ public void testNullSerialization() throws IOException{
+ StringWriter serialized;
+ serialized = new StringWriter();
+ Jsoner.serialize(null, serialized);
+ Assert.assertEquals("null", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(null, serialized);
+ Assert.assertEquals("null", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(null, serialized);
+ Assert.assertEquals("null", serialized.toString());
+ }
+
+ /** Ensures Numbers are directly deserializable.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testNumberDeserialization() throws JsonException{
+ Object deserialized;
+ deserialized = Jsoner.deserialize("-1234567890987654321.01234567890987654321E-50");
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321E-50"), deserialized);
+ deserialized = Jsoner.deserialize("-1234567890987654321.01234567890987654321");
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321"), deserialized);
+ deserialized = Jsoner.deserialize("1234567890987654321.01234567890987654321");
+ Assert.assertEquals(new BigDecimal("1234567890987654321.01234567890987654321"), deserialized);
+ deserialized = Jsoner.deserialize("123456789098765432101234567890987654321");
+ Assert.assertEquals(new BigDecimal("123456789098765432101234567890987654321"), deserialized);
+ }
+
+ /** Ensures Numbers are serializable.
+ * @throws IOException if the test fails. */
+ @Test
+ public void testNumberSerialization() throws IOException{
+ StringWriter serialized;
+ serialized = new StringWriter();
+ Jsoner.serialize(new BigDecimal("-1234567890987654321.01234567890987654321E-50"), serialized);
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321E-50").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(new BigDecimal("-1234567890987654321.01234567890987654321E-50"), serialized);
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321E-50").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(new BigDecimal("-1234567890987654321.01234567890987654321E-50"), serialized);
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321E-50").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new BigDecimal("-1234567890987654321.01234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(new BigDecimal("-1234567890987654321.01234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(new BigDecimal("-1234567890987654321.01234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new BigDecimal("1234567890987654321.01234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("1234567890987654321.01234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(new BigDecimal("1234567890987654321.01234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("1234567890987654321.01234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(new BigDecimal("1234567890987654321.01234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("1234567890987654321.01234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serialize(new BigDecimal("123456789098765432101234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("123456789098765432101234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(new BigDecimal("123456789098765432101234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("123456789098765432101234567890987654321").toString(), serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(new BigDecimal("123456789098765432101234567890987654321"), serialized);
+ Assert.assertEquals(new BigDecimal("123456789098765432101234567890987654321").toString(), serialized.toString());
+ }
+
+ /** Ensures objects are directly deserializable.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testObjectDeserialization() throws JsonException{
+ JsonObject defaultValue;
+ Object deserialized;
+ JsonObject expected;
+ expected = new JsonObject();
+ defaultValue = new JsonObject();
+ defaultValue.put("error", -1);
+ /* Trailing commas are common causes of wasting time debugging JSON. Allowing it in deserialization will
+ * inevitably make it feel more simple and save the user time debugging pointless things. */
+ deserialized = Jsoner.deserialize("{,}");
+ Assert.assertEquals(expected, deserialized);
+ /* A missing colon can be frustrating to track down and a waste of time debugging JSON. Allowing it in
+ * deserialization will inevitably make it feel more simple and save the user time debugging things that don't
+ * actually impede the library. */
+ expected.put("key", "value");
+ deserialized = Jsoner.deserialize("{\"key\"\"value\"}", defaultValue);
+ Assert.assertEquals(expected, deserialized);
+ /* Same thing but with numbers. */
+ expected.remove("key");
+ expected.put("key", new BigDecimal("234.0"));
+ deserialized = Jsoner.deserialize("{\"key\"234.0}", defaultValue);
+ Assert.assertEquals(expected, deserialized);
+ /* Same thing but with booleans. */
+ expected.remove("key");
+ expected.put("key", true);
+ deserialized = Jsoner.deserialize("{\"key\"true}", defaultValue);
+ Assert.assertEquals(expected, deserialized);
+ /* Same thing but with objects. */
+ expected.remove("key");
+ expected.put("key", new JsonObject());
+ deserialized = Jsoner.deserialize("{\"key\"{}}", defaultValue);
+ Assert.assertEquals(expected, deserialized);
+ /* Same thing but with arrays. */
+ expected.remove("key");
+ expected.put("key", new JsonArray());
+ deserialized = Jsoner.deserialize("{\"key\"[]}", defaultValue);
+ Assert.assertEquals(expected, deserialized);
+ /* Deserializing JsonObjects directly requires a defaultValue in case it doesn't deserialize a JsonObject. */
+ deserialized = Jsoner.deserialize("{asdf,}", defaultValue);
+ Assert.assertEquals(defaultValue, deserialized);
+ }
+
+ /** Ensures objects are serializable.
+ * @throws IOException if the test fails. */
+ @Test
+ public void testObjectSerialization() throws IOException{
+ StringWriter serialized;
+ /* Extraneous commas are not allowed when serializing an object. */
+ serialized = new StringWriter();
+ Jsoner.serialize(new JsonObject(), serialized);
+ Assert.assertEquals("{}", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly(new JsonObject(), serialized);
+ Assert.assertEquals("{}", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly(new JsonObject(), serialized);
+ Assert.assertEquals("{}", serialized.toString());
+ }
+
+ /** Ensures arrays and objects can be printed in an easier to read format. */
+ @Test
+ public void testPrettyPrint(){
+ Assert.assertEquals("[\n\t0,\n\t1,\n\t2,\n\t{\n\t\t\"k0\": \"v0\",\n\t\t\"k1\": \"v1\"\n\t},\n\t[\n\t\t[\n\t\t\t\"\",\n\t\t\t\"\"\n\t\t]\n\t],\n\tnull,\n\ttrue,\n\tfalse\n]", Jsoner.prettyPrint("[0,1,2,{\"k0\":\"v0\",\"k1\":\"v1\"},[[\"\",\"\"]],null,true,false]"));
+ }
+
+ /** Ensures Strings are directly deserializable.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testStringDeserialization() throws JsonException{
+ Object deserialized;
+ /* Uses typical US English and picks out characters in unicode that have a decimal representation that ends with
+ * 050, like 1050, 3050, 4050, 5050, etc. */
+ deserialized = Jsoner.deserialize("\"ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]\\/`123456789-=~!@#$%^&*_+()\\r\\b\\n\\t\\f\\\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ\\u4e2d\"");
+ Assert.assertEquals("ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\r\b\n\t\f\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ\u4e2d", deserialized);
+ }
+
+ /** Ensures Strings are serializable.
+ * @throws IOException if the test fails. */
+ @Test
+ public void testStringSerialization() throws IOException{
+ StringWriter serialized;
+ /* Uses typical US English and picks out characters in unicode that have a decimal representation that ends with
+ * 050, like 1050, 3050, 4050, 5050, etc. */
+ serialized = new StringWriter();
+ Jsoner.serialize("ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\r\b\n\t\f\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ\u4e2d", serialized);
+ Assert.assertEquals("\"ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\\r\\b\\n\\t\\f\\\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ中\"", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeStrictly("ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\r\b\n\t\f\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ\u4e2d", serialized);
+ Assert.assertEquals("\"ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\\r\\b\\n\\t\\f\\\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ中\"", serialized.toString());
+ serialized = new StringWriter();
+ Jsoner.serializeCarelessly("ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\r\b\n\t\f\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ\u4e2d", serialized);
+ Assert.assertEquals("\"ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\\r\\b\\n\\t\\f\\\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ中\"", serialized.toString());
+ }
+}
diff --git a/src/test/java/com/github/cliftonlabs/json_simple/YylexTest.java b/src/test/java/com/github/cliftonlabs/json_simple/YylexTest.java
new file mode 100644
index 00000000..cbd58224
--- /dev/null
+++ b/src/test/java/com/github/cliftonlabs/json_simple/YylexTest.java
@@ -0,0 +1,206 @@
+/* See: README for this file's copyright, terms, and conditions. */
+package com.github.cliftonlabs.json_simple;
+
+import java.io.IOException;
+import java.io.StringReader;
+import java.math.BigDecimal;
+
+import org.junit.After;
+import org.junit.Assert;
+import org.junit.Before;
+import org.junit.Test;
+
+/** Ensures the lexer hasn't regressed in functionality or breaks its API contract. */
+public class YylexTest{
+ /** Called before each Test Method. */
+ @Before
+ public void setUp(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Called after each Test method. */
+ @After
+ public void tearDown(){
+ /* All of the implemented tests use local variables in their own respective method. */
+ }
+
+ /** Ensure concatenated JSON values are lexable.
+ * @throws IOException if the test failed.
+ * @throws JsonException if the test failed. */
+ @Test
+ public void testLexingConcatenatedJsonValues() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("nullnullnullnull12.33.21truetruenullfalse\"\"{}[]");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(null, lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(null, lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(null, lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(null, lexed.getValue());
+ try{
+ lexed = lexer.yylex();
+ }catch(final JsonException caught){
+ /* Concatenated numbers don't always work well. */
+ Assert.assertEquals(JsonException.Problems.UNEXPECTED_EXCEPTION, caught.getProblemType());
+ }
+ try{
+ lexed = lexer.yylex();
+ }catch(final JsonException caught){
+ /* Concatenated numbers don't always work well. */
+ Assert.assertEquals(JsonException.Problems.UNEXPECTED_CHARACTER, caught.getProblemType());
+ Assert.assertEquals(21, caught.getPosition());
+ }
+ /* Instead of the 12.3 and 3.21 concatenated together we ended up with 21! */
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(new BigDecimal("21"), lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(true, lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(true, lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(null, lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(false, lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals("", lexed.getValue());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.LEFT_BRACE, lexed.getType());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.RIGHT_BRACE, lexed.getType());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.LEFT_SQUARE, lexed.getType());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.RIGHT_SQUARE, lexed.getType());
+ }
+
+ /** Ensures a negative number is lexable.
+ * @throws IOException if the test fails.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testLexingNegativeNumber() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("-123456789098765432101234567890987654321");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(new BigDecimal("-123456789098765432101234567890987654321"), lexed.getValue());
+ }
+
+ /** Ensures a number with a decimal place in it is lexable.
+ * @throws IOException if the test fails.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testLexingNumberWithDecimal() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("-1234567890987654321.01234567890987654321");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321"), lexed.getValue());
+ }
+
+ /** Ensures a number with an exponent is lexable.
+ * @throws IOException if the test fails.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testLexingNumberWithExponent() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("-1234567890987654321.01234567890987654321E-50");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(new BigDecimal("-1234567890987654321.01234567890987654321E-50"), lexed.getValue());
+ }
+
+ /** Ensures a positive number is lexable.
+ * @throws IOException if the test fails.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testLexingPositiveNumber() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("123456789098765432101234567890987654321");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals(new BigDecimal("123456789098765432101234567890987654321"), lexed.getValue());
+ }
+
+ /** Ensures a String containing escaped characters and various unicode characters is lexable.
+ * @throws IOException if the test fails.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testLexingStringContainingEscapedCharacters() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("\"ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]\\/`123456789-=~!@#$%^&*_+()\\r\\b\\n\\t\\f\\\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ\"");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.DATUM, lexed.getType());
+ Assert.assertEquals("ABCDEFGHIJKLMNOPQRSTUVWXYZ<>:{}abcdefghijklmnopqrstuvwxyz,.;'[]/`123456789-=~!@#$%^&*_+()\r\b\n\t\f\\К௪ၐᎺអὲ⍚❂⼒ぐ㋺ꁐꁚꑂ", lexed.getValue());
+ }
+
+ /** Ensures that unexpected characters are a problem between expected characters.
+ * @throws IOException if the test fails.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testLexingUnexpectedCharacter() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("{a : b}");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.LEFT_BRACE, lexed.getType());
+ try{
+ lexed = lexer.yylex();
+ }catch(final JsonException caught){
+ Assert.assertEquals(JsonException.Problems.UNEXPECTED_CHARACTER, caught.getProblemType());
+ Assert.assertEquals(new Character('a'), caught.getUnexpectedObject());
+ Assert.assertEquals(1, caught.getPosition());
+ }
+ /* The exception should have left the lexed token unchanged. */
+ Assert.assertEquals(Yytoken.Types.LEFT_BRACE, lexed.getType());
+ }
+
+ /** Ensure white space is ignored while lexing outside of Strings.
+ * @throws IOException if the test fails.
+ * @throws JsonException if the test fails. */
+ @Test
+ public void testLexingWhiteSpace() throws IOException, JsonException{
+ StringReader lexable;
+ Yylex lexer;
+ Yytoken lexed;
+ lexable = new StringReader("[\t \n\r\n{ \t \t\n\r}");
+ lexer = new Yylex(lexable);
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.LEFT_SQUARE, lexed.getType());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.LEFT_BRACE, lexed.getType());
+ lexed = lexer.yylex();
+ Assert.assertEquals(Yytoken.Types.RIGHT_BRACE, lexed.getType());
+ }
+}
diff --git a/src/test/java/org/json/simple/JSONArrayTest.java b/src/test/java/org/json/simple/JSONArrayTest.java
deleted file mode 100644
index 6e1591dc..00000000
--- a/src/test/java/org/json/simple/JSONArrayTest.java
+++ /dev/null
@@ -1,288 +0,0 @@
-package org.json.simple;
-
-import java.io.IOException;
-import java.io.StringWriter;
-import java.util.ArrayList;
-import java.util.HashSet;
-
-import org.json.simple.parser.JSONParser;
-import org.json.simple.parser.ParseException;
-
-import junit.framework.TestCase;
-
-public class JSONArrayTest extends TestCase {
-
- public void testJSONArray() {
- final JSONArray jsonArray = new JSONArray();
-
- assertEquals("[]", jsonArray.toJSONString());
- }
-
- public void testJSONArrayCollection() {
- final ArrayList testList = new ArrayList();
- testList.add("First item");
- testList.add("Second item");
-
- final JSONArray jsonArray = new JSONArray(testList);
-
- assertEquals("[\"First item\",\"Second item\"]", jsonArray.toJSONString());
- }
-
- public void testWriteJSONStringCollectionWriter() throws IOException, ParseException {
- final HashSet testSet = new HashSet();
- testSet.add("First item");
- testSet.add("Second item");
-
- final JSONArray jsonArray = new JSONArray(testSet);
- final StringWriter writer = new StringWriter();
-
- jsonArray.writeJSONString(writer);
-
- final JSONParser parser = new JSONParser();
- final JSONArray parsedArray = (JSONArray)parser.parse(writer.toString());
-
- assertTrue(parsedArray.containsAll(jsonArray));
- assertTrue(jsonArray.containsAll(parsedArray));
- assertEquals(2, jsonArray.size());
- }
-
- public void testToJSONStringCollection() throws ParseException {
- final HashSet testSet = new HashSet();
- testSet.add("First item");
- testSet.add("Second item");
-
- final JSONArray jsonArray = new JSONArray(testSet);
-
- final JSONParser parser = new JSONParser();
- final JSONArray parsedArray = (JSONArray)parser.parse(jsonArray.toJSONString());
-
- assertTrue(parsedArray.containsAll(jsonArray));
- assertTrue(jsonArray.containsAll(parsedArray));
- assertEquals(2, jsonArray.size());
- }
-
- public void testByteArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((byte[])null));
- assertEquals("[]", JSONArray.toJSONString(new byte[0]));
- assertEquals("[12]", JSONArray.toJSONString(new byte[] { 12 }));
- assertEquals("[-7,22,86,-99]", JSONArray.toJSONString(new byte[] { -7, 22, 86, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((byte[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new byte[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new byte[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new byte[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testShortArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((short[])null));
- assertEquals("[]", JSONArray.toJSONString(new short[0]));
- assertEquals("[12]", JSONArray.toJSONString(new short[] { 12 }));
- assertEquals("[-7,22,86,-99]", JSONArray.toJSONString(new short[] { -7, 22, 86, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((short[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new short[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new short[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new short[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testIntArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((int[])null));
- assertEquals("[]", JSONArray.toJSONString(new int[0]));
- assertEquals("[12]", JSONArray.toJSONString(new int[] { 12 }));
- assertEquals("[-7,22,86,-99]", JSONArray.toJSONString(new int[] { -7, 22, 86, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((int[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new int[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new int[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new int[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testLongArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((long[])null));
- assertEquals("[]", JSONArray.toJSONString(new long[0]));
- assertEquals("[12]", JSONArray.toJSONString(new long[] { 12 }));
- assertEquals("[-7,22,9223372036854775807,-99]", JSONArray.toJSONString(new long[] { -7, 22, 9223372036854775807L, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((long[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new long[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new long[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new long[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testFloatArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((float[])null));
- assertEquals("[]", JSONArray.toJSONString(new float[0]));
- assertEquals("[12.8]", JSONArray.toJSONString(new float[] { 12.8f }));
- assertEquals("[-7.1,22.234,86.7,-99.02]", JSONArray.toJSONString(new float[] { -7.1f, 22.234f, 86.7f, -99.02f }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((float[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new float[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new float[] { 12.8f }, writer);
- assertEquals("[12.8]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new float[] { -7.1f, 22.234f, 86.7f, -99.02f }, writer);
- assertEquals("[-7.1,22.234,86.7,-99.02]", writer.toString());
- }
-
- public void testDoubleArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((double[])null));
- assertEquals("[]", JSONArray.toJSONString(new double[0]));
- assertEquals("[12.8]", JSONArray.toJSONString(new double[] { 12.8 }));
- assertEquals("[-7.1,22.234,86.7,-99.02]", JSONArray.toJSONString(new double[] { -7.1, 22.234, 86.7, -99.02 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((double[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new double[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new double[] { 12.8 }, writer);
- assertEquals("[12.8]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new double[] { -7.1, 22.234, 86.7, -99.02 }, writer);
- assertEquals("[-7.1,22.234,86.7,-99.02]", writer.toString());
- }
-
- public void testBooleanArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((boolean[])null));
- assertEquals("[]", JSONArray.toJSONString(new boolean[0]));
- assertEquals("[true]", JSONArray.toJSONString(new boolean[] { true }));
- assertEquals("[true,false,true]", JSONArray.toJSONString(new boolean[] { true, false, true }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((boolean[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new boolean[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new boolean[] { true }, writer);
- assertEquals("[true]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new boolean[] { true, false, true }, writer);
- assertEquals("[true,false,true]", writer.toString());
- }
-
- public void testCharArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((char[])null));
- assertEquals("[]", JSONArray.toJSONString(new char[0]));
- assertEquals("[\"a\"]", JSONArray.toJSONString(new char[] { 'a' }));
- assertEquals("[\"a\",\"b\",\"c\"]", JSONArray.toJSONString(new char[] { 'a', 'b', 'c' }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((char[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new char[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new char[] { 'a' }, writer);
- assertEquals("[\"a\"]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new char[] { 'a', 'b', 'c' }, writer);
- assertEquals("[\"a\",\"b\",\"c\"]", writer.toString());
- }
-
- public void testObjectArrayToString() throws IOException {
- assertEquals("null", JSONArray.toJSONString((Object[])null));
- assertEquals("[]", JSONArray.toJSONString(new Object[0]));
- assertEquals("[\"Hello\"]", JSONArray.toJSONString(new Object[] { "Hello" }));
- assertEquals("[\"Hello\",12,[1,2,3]]", JSONArray.toJSONString(new Object[] { "Hello", new Integer(12), new int[] { 1, 2, 3 } }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONArray.writeJSONString((Object[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new Object[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new Object[] { "Hello" }, writer);
- assertEquals("[\"Hello\"]", writer.toString());
-
- writer = new StringWriter();
- JSONArray.writeJSONString(new Object[] { "Hello", new Integer(12), new int[] { 1, 2, 3} }, writer);
- assertEquals("[\"Hello\",12,[1,2,3]]", writer.toString());
- }
-}
diff --git a/src/test/java/org/json/simple/JSONValueTest.java b/src/test/java/org/json/simple/JSONValueTest.java
deleted file mode 100644
index 97f2b50f..00000000
--- a/src/test/java/org/json/simple/JSONValueTest.java
+++ /dev/null
@@ -1,256 +0,0 @@
-package org.json.simple;
-
-import java.io.IOException;
-import java.io.StringWriter;
-
-import junit.framework.TestCase;
-
-public class JSONValueTest extends TestCase {
- public void testByteArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((byte[])null));
- assertEquals("[]", JSONValue.toJSONString(new byte[0]));
- assertEquals("[12]", JSONValue.toJSONString(new byte[] { 12 }));
- assertEquals("[-7,22,86,-99]", JSONValue.toJSONString(new byte[] { -7, 22, 86, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((byte[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new byte[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new byte[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new byte[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testShortArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((short[])null));
- assertEquals("[]", JSONValue.toJSONString(new short[0]));
- assertEquals("[12]", JSONValue.toJSONString(new short[] { 12 }));
- assertEquals("[-7,22,86,-99]", JSONValue.toJSONString(new short[] { -7, 22, 86, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((short[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new short[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new short[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new short[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testIntArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((int[])null));
- assertEquals("[]", JSONValue.toJSONString(new int[0]));
- assertEquals("[12]", JSONValue.toJSONString(new int[] { 12 }));
- assertEquals("[-7,22,86,-99]", JSONValue.toJSONString(new int[] { -7, 22, 86, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((int[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new int[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new int[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new int[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testLongArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((long[])null));
- assertEquals("[]", JSONValue.toJSONString(new long[0]));
- assertEquals("[12]", JSONValue.toJSONString(new long[] { 12 }));
- assertEquals("[-7,22,9223372036854775807,-99]", JSONValue.toJSONString(new long[] { -7, 22, 9223372036854775807L, -99 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((long[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new long[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new long[] { 12 }, writer);
- assertEquals("[12]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new long[] { -7, 22, 86, -99 }, writer);
- assertEquals("[-7,22,86,-99]", writer.toString());
- }
-
- public void testFloatArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((float[])null));
- assertEquals("[]", JSONValue.toJSONString(new float[0]));
- assertEquals("[12.8]", JSONValue.toJSONString(new float[] { 12.8f }));
- assertEquals("[-7.1,22.234,86.7,-99.02]", JSONValue.toJSONString(new float[] { -7.1f, 22.234f, 86.7f, -99.02f }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((float[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new float[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new float[] { 12.8f }, writer);
- assertEquals("[12.8]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new float[] { -7.1f, 22.234f, 86.7f, -99.02f }, writer);
- assertEquals("[-7.1,22.234,86.7,-99.02]", writer.toString());
- }
-
- public void testDoubleArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((double[])null));
- assertEquals("[]", JSONValue.toJSONString(new double[0]));
- assertEquals("[12.8]", JSONValue.toJSONString(new double[] { 12.8 }));
- assertEquals("[-7.1,22.234,86.7,-99.02]", JSONValue.toJSONString(new double[] { -7.1, 22.234, 86.7, -99.02 }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((double[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new double[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new double[] { 12.8 }, writer);
- assertEquals("[12.8]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new double[] { -7.1, 22.234, 86.7, -99.02 }, writer);
- assertEquals("[-7.1,22.234,86.7,-99.02]", writer.toString());
- }
-
- public void testBooleanArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((boolean[])null));
- assertEquals("[]", JSONValue.toJSONString(new boolean[0]));
- assertEquals("[true]", JSONValue.toJSONString(new boolean[] { true }));
- assertEquals("[true,false,true]", JSONValue.toJSONString(new boolean[] { true, false, true }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((boolean[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new boolean[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new boolean[] { true }, writer);
- assertEquals("[true]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new boolean[] { true, false, true }, writer);
- assertEquals("[true,false,true]", writer.toString());
- }
-
- public void testCharArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((char[])null));
- assertEquals("[]", JSONValue.toJSONString(new char[0]));
- assertEquals("[\"a\"]", JSONValue.toJSONString(new char[] { 'a' }));
- assertEquals("[\"a\",\"b\",\"c\"]", JSONValue.toJSONString(new char[] { 'a', 'b', 'c' }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((char[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new char[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new char[] { 'a' }, writer);
- assertEquals("[\"a\"]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new char[] { 'a', 'b', 'c' }, writer);
- assertEquals("[\"a\",\"b\",\"c\"]", writer.toString());
- }
-
- public void testObjectArrayToString() throws IOException {
- assertEquals("null", JSONValue.toJSONString((Object[])null));
- assertEquals("[]", JSONValue.toJSONString(new Object[0]));
- assertEquals("[\"Hello\"]", JSONValue.toJSONString(new Object[] { "Hello" }));
- assertEquals("[\"Hello\",12,[1,2,3]]", JSONValue.toJSONString(new Object[] { "Hello", new Integer(12), new int[] { 1, 2, 3 } }));
-
- StringWriter writer;
-
- writer = new StringWriter();
- JSONValue.writeJSONString((Object[])null, writer);
- assertEquals("null", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new Object[0], writer);
- assertEquals("[]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new Object[] { "Hello" }, writer);
- assertEquals("[\"Hello\"]", writer.toString());
-
- writer = new StringWriter();
- JSONValue.writeJSONString(new Object[] { "Hello", new Integer(12), new int[] { 1, 2, 3} }, writer);
- assertEquals("[\"Hello\",12,[1,2,3]]", writer.toString());
- }
-
- public void testArraysOfArrays() throws IOException {
-
- StringWriter writer;
-
- final int[][][] nestedIntArray = new int[][][]{{{1}, {5}}, {{2}, {6}}};
- final String expectedNestedIntString = "[[[1],[5]],[[2],[6]]]";
-
- assertEquals(expectedNestedIntString, JSONValue.toJSONString(nestedIntArray));
-
- writer = new StringWriter();
- JSONValue.writeJSONString(nestedIntArray, writer);
- assertEquals(expectedNestedIntString, writer.toString());
-
- final String[][] nestedStringArray = new String[][]{{"a", "b"}, {"c", "d"}};
- final String expectedNestedStringString = "[[\"a\",\"b\"],[\"c\",\"d\"]]";
-
- assertEquals(expectedNestedStringString, JSONValue.toJSONString(nestedStringArray));
-
- writer = new StringWriter();
- JSONValue.writeJSONString(nestedStringArray, writer);
- assertEquals(expectedNestedStringString, writer.toString());
- }
-}
diff --git a/src/test/java/org/json/simple/Test.java b/src/test/java/org/json/simple/Test.java
deleted file mode 100644
index dc5ce033..00000000
--- a/src/test/java/org/json/simple/Test.java
+++ /dev/null
@@ -1,383 +0,0 @@
-/*
- * $Id: Test.java,v 1.1 2006/04/15 14:40:06 platform Exp $
- * Created on 2006-4-15
- */
-package org.json.simple;
-
-import java.io.IOException;
-import java.io.StringWriter;
-import java.util.ArrayList;
-import java.util.HashMap;
-import java.util.Iterator;
-import java.util.LinkedHashMap;
-import java.util.LinkedList;
-import java.util.List;
-import java.util.Map;
-
-import junit.framework.TestCase;
-
-import org.json.simple.parser.ContainerFactory;
-import org.json.simple.parser.ContentHandler;
-import org.json.simple.parser.JSONParser;
-import org.json.simple.parser.ParseException;
-
-/**
- * @author FangYidong
- */
-public class Test extends TestCase{
-
- public void testDecode() throws Exception{
- System.out.println("=======decode=======");
-
- String s="[0,{\"1\":{\"2\":{\"3\":{\"4\":[5,{\"6\":7}]}}}}]";
- Object obj=JSONValue.parse(s);
- JSONArray array=(JSONArray)obj;
- System.out.println("======the 2nd element of array======");
- System.out.println(array.get(1));
- System.out.println();
- assertEquals("{\"1\":{\"2\":{\"3\":{\"4\":[5,{\"6\":7}]}}}}",array.get(1).toString());
-
- JSONObject obj2=(JSONObject)array.get(1);
- System.out.println("======field \"1\"==========");
- System.out.println(obj2.get("1"));
- assertEquals("{\"2\":{\"3\":{\"4\":[5,{\"6\":7}]}}}",obj2.get("1").toString());
-
- s="{}";
- obj=JSONValue.parse(s);
- assertEquals("{}",obj.toString());
-
- s="[5,]";
- obj=JSONValue.parse(s);
- assertEquals("[5]",obj.toString());
-
- s="[5,,2]";
- obj=JSONValue.parse(s);
- assertEquals("[5,2]",obj.toString());
-
- s="[\"hello\\bworld\\\"abc\\tdef\\\\ghi\\rjkl\\n123\\u4e2d\"]";
- obj=JSONValue.parse(s);
- assertEquals("hello\bworld\"abc\tdef\\ghi\rjkl\n123中",((List)obj).get(0).toString());
-
- JSONParser parser = new JSONParser();
- s="{\"name\":";
- try{
- obj = parser.parse(s);
- }
- catch(ParseException pe){
- assertEquals(ParseException.ERROR_UNEXPECTED_TOKEN, pe.getErrorType());
- assertEquals(8, pe.getPosition());
- }
-
- s="{\"name\":}";
- try{
- obj = parser.parse(s);
- }
- catch(ParseException pe){
- assertEquals(ParseException.ERROR_UNEXPECTED_TOKEN, pe.getErrorType());
- assertEquals(8, pe.getPosition());
- }
-
-
- s="{\"name";
- try{
- obj = parser.parse(s);
- }
- catch(ParseException pe){
- assertEquals(ParseException.ERROR_UNEXPECTED_TOKEN, pe.getErrorType());
- assertEquals(6, pe.getPosition());
- }
-
-
- s = "[[null, 123.45, \"a\\\tb c\"}, true]";
- try{
- parser.parse(s);
- }
- catch(ParseException pe){
- assertEquals(24, pe.getPosition());
- System.out.println("Error at character position: " + pe.getPosition());
- switch(pe.getErrorType()){
- case ParseException.ERROR_UNEXPECTED_TOKEN:
- System.out.println("Unexpected token: " + pe.getUnexpectedObject());
- break;
- case ParseException.ERROR_UNEXPECTED_CHAR:
- System.out.println("Unexpected character: " + pe.getUnexpectedObject());
- break;
- case ParseException.ERROR_UNEXPECTED_EXCEPTION:
- ((Exception)pe.getUnexpectedObject()).printStackTrace();
- break;
- }
- }
-
- s = "{\"first\": 123, \"second\": [4, 5, 6], \"third\": 789}";
- ContainerFactory containerFactory = new ContainerFactory(){
- public List creatArrayContainer() {
- return new LinkedList();
- }
-
- public Map createObjectContainer() {
- return new LinkedHashMap();
- }
-
- };
-
- try{
- Map json = (Map)parser.parse(s, containerFactory);
- Iterator iter = json.entrySet().iterator();
- System.out.println("==iterate result==");
- while(iter.hasNext()){
- Map.Entry entry = (Map.Entry)iter.next();
- System.out.println(entry.getKey() + "=>" + entry.getValue());
- }
-
- System.out.println("==toJSONString()==");
- System.out.println(JSONValue.toJSONString(json));
- assertEquals("{\"first\":123,\"second\":[4,5,6],\"third\":789}", JSONValue.toJSONString(json));
- }
- catch(ParseException pe){
- pe.printStackTrace();
- }
-
- s = "{\"first\": 123, \"second\": [{\"s1\":{\"s11\":\"v11\"}}, 4, 5, 6], \"third\": 789}";
- ContentHandler myHandler = new ContentHandler() {
-
- public boolean endArray() throws ParseException {
- System.out.println("endArray()");
- return true;
- }
-
- public void endJSON() throws ParseException {
- System.out.println("endJSON()");
- }
-
- public boolean endObject() throws ParseException {
- System.out.println("endObject()");
- return true;
- }
-
- public boolean endObjectEntry() throws ParseException {
- System.out.println("endObjectEntry()");
- return true;
- }
-
- public boolean primitive(Object value) throws ParseException {
- System.out.println("primitive(): " + value);
- return true;
- }
-
- public boolean startArray() throws ParseException {
- System.out.println("startArray()");
- return true;
- }
-
- public void startJSON() throws ParseException {
- System.out.println("startJSON()");
- }
-
- public boolean startObject() throws ParseException {
- System.out.println("startObject()");
- return true;
- }
-
- public boolean startObjectEntry(String key) throws ParseException {
- System.out.println("startObjectEntry(), key:" + key);
- return true;
- }
-
- };
- try{
- parser.parse(s, myHandler);
- }
- catch(ParseException pe){
- pe.printStackTrace();
- }
-
- class KeyFinder implements ContentHandler{
- private Object value;
- private boolean found = false;
- private boolean end = false;
- private String key;
- private String matchKey;
-
- public void setMatchKey(String matchKey){
- this.matchKey = matchKey;
- }
-
- public Object getValue(){
- return value;
- }
-
- public boolean isEnd(){
- return end;
- }
-
- public void setFound(boolean found){
- this.found = found;
- }
-
- public boolean isFound(){
- return found;
- }
-
- public void startJSON() throws ParseException, IOException {
- found = false;
- end = false;
- }
-
- public void endJSON() throws ParseException, IOException {
- end = true;
- }
-
- public boolean primitive(Object value) throws ParseException, IOException {
- if(key != null){
- if(key.equals(matchKey)){
- found = true;
- this.value = value;
- key = null;
- return false;
- }
- }
- return true;
- }
-
- public boolean startArray() throws ParseException, IOException {
- return true;
- }
-
-
- public boolean startObject() throws ParseException, IOException {
- return true;
- }
-
- public boolean startObjectEntry(String key) throws ParseException, IOException {
- this.key = key;
- return true;
- }
-
- public boolean endArray() throws ParseException, IOException {
- return false;
- }
-
- public boolean endObject() throws ParseException, IOException {
- return true;
- }
-
- public boolean endObjectEntry() throws ParseException, IOException {
- return true;
- }
- };
-
- s = "{\"first\": 123, \"second\": [{\"k1\":{\"id\":\"id1\"}}, 4, 5, 6, {\"id\": 123}], \"third\": 789, \"id\": null}";
- parser.reset();
- KeyFinder keyFinder = new KeyFinder();
- keyFinder.setMatchKey("id");
- int i = 0;
- try{
- while(!keyFinder.isEnd()){
- parser.parse(s, keyFinder, true);
- if(keyFinder.isFound()){
- i++;
- keyFinder.setFound(false);
- System.out.println("found id:");
- System.out.println(keyFinder.getValue());
- if(i == 1)
- assertEquals("id1", keyFinder.getValue());
- if(i == 2){
- assertTrue(keyFinder.getValue() instanceof Number);
- assertEquals("123", String.valueOf(keyFinder.getValue()));
- }
- if(i == 3)
- assertTrue(null == keyFinder.getValue());
- }
- }
- }
- catch(ParseException pe){
- pe.printStackTrace();
- }
- }
-
- public void testEncode() throws Exception{
- System.out.println("=======encode=======");
-
- JSONArray array1=new JSONArray();
- array1.add("abc\u0010a/");
- array1.add(new Integer(123));
- array1.add(new Double(222.123));
- array1.add(new Boolean(true));
- System.out.println("======array1==========");
- System.out.println(array1);
- System.out.println();
- assertEquals("[\"abc\\u0010a\\/\",123,222.123,true]",array1.toString());
-
- JSONObject obj1=new JSONObject();
- obj1.put("array1",array1);
- System.out.println("======obj1 with array1===========");
- System.out.println(obj1);
- System.out.println();
- assertEquals("{\"array1\":[\"abc\\u0010a\\/\",123,222.123,true]}",obj1.toString());
-
- obj1.remove("array1");
- array1.add(obj1);
- System.out.println("======array1 with obj1========");
- System.out.println(array1);
- System.out.println();
- assertEquals("[\"abc\\u0010a\\/\",123,222.123,true,{}]",array1.toString());
-
- List list = new ArrayList();
- list.add("abc\u0010a/");
- list.add(new Integer(123));
- list.add(new Double(222.123));
- list.add(new Boolean(true));
- list.add(null);
- System.out.println("======list==========");
- System.out.println(JSONArray.toJSONString(list));
- System.out.println();
- assertEquals("[\"abc\\u0010a\\/\",123,222.123,true,null]",JSONArray.toJSONString(list));
-
- Map map = new HashMap();
- map.put("array1",list);
- System.out.println("======map with list===========");
- System.out.println(map);
- System.out.println();
- assertEquals("{\"array1\":[\"abc\\u0010a\\/\",123,222.123,true,null]}",JSONObject.toJSONString(map));
-
- Map m1 = new LinkedHashMap();
- Map m2 = new LinkedHashMap();
- List l1 = new LinkedList();
-
- m1.put("k11","v11");
- m1.put("k12","v12");
- m1.put("k13", "v13");
- m2.put("k21","v21");
- m2.put("k22","v22");
- m2.put("k23","v23");
- l1.add(m1);
- l1.add(m2);
- String jsonString = JSONValue.toJSONString(l1);
- System.out.println(jsonString);
- assertEquals("[{\"k11\":\"v11\",\"k12\":\"v12\",\"k13\":\"v13\"},{\"k21\":\"v21\",\"k22\":\"v22\",\"k23\":\"v23\"}]", jsonString);
-
- StringWriter out = new StringWriter();
- JSONValue.writeJSONString(l1, out);
- jsonString = out.toString();
- System.out.println(jsonString);
- assertEquals("[{\"k11\":\"v11\",\"k12\":\"v12\",\"k13\":\"v13\"},{\"k21\":\"v21\",\"k22\":\"v22\",\"k23\":\"v23\"}]", jsonString);
-
- List l2 = new LinkedList();
- Map m3 = new LinkedHashMap();
- m3.put("k31", "v3");
- m3.put("k32", new Double(123.45));
- m3.put("k33", new Boolean(false));
- m3.put("k34", null);
- l2.add("vvv");
- l2.add("1.23456789123456789");
- l2.add(new Boolean(true));
- l2.add(null);
- m3.put("k35", l2);
- m1.put("k14", m3);
- out = new StringWriter();
- JSONValue.writeJSONString(l1, out);
- jsonString = out.toString();
- System.out.println(jsonString);
- assertEquals("[{\"k11\":\"v11\",\"k12\":\"v12\",\"k13\":\"v13\",\"k14\":{\"k31\":\"v3\",\"k32\":123.45,\"k33\":false,\"k34\":null,\"k35\":[\"vvv\",\"1.23456789123456789\",true,null]}},{\"k21\":\"v21\",\"k22\":\"v22\",\"k23\":\"v23\"}]",jsonString);
- }
-}
diff --git a/src/test/java/org/json/simple/parser/YylexTest.java b/src/test/java/org/json/simple/parser/YylexTest.java
deleted file mode 100644
index ce317519..00000000
--- a/src/test/java/org/json/simple/parser/YylexTest.java
+++ /dev/null
@@ -1,80 +0,0 @@
-package org.json.simple.parser;
-
-import java.io.IOException;
-import java.io.StringReader;
-
-import junit.framework.TestCase;
-
-public class YylexTest extends TestCase {
-
- public void testYylex() throws Exception{
- String s="\"\\/\"";
- System.out.println(s);
- StringReader in = new StringReader(s);
- Yylex lexer=new Yylex(in);
- Yytoken token=lexer.yylex();
- assertEquals(Yytoken.TYPE_VALUE,token.type);
- assertEquals("/",token.value);
-
- s="\"abc\\/\\r\\b\\n\\t\\f\\\\\"";
- System.out.println(s);
- in = new StringReader(s);
- lexer=new Yylex(in);
- token=lexer.yylex();
- assertEquals(Yytoken.TYPE_VALUE,token.type);
- assertEquals("abc/\r\b\n\t\f\\",token.value);
-
- s="[\t \n\r\n{ \t \t\n\r}";
- System.out.println(s);
- in = new StringReader(s);
- lexer=new Yylex(in);
- token=lexer.yylex();
- assertEquals(Yytoken.TYPE_LEFT_SQUARE,token.type);
- token=lexer.yylex();
- assertEquals(Yytoken.TYPE_LEFT_BRACE,token.type);
- token=lexer.yylex();
- assertEquals(Yytoken.TYPE_RIGHT_BRACE,token.type);
-
- s="\b\f{";
- System.out.println(s);
- in = new StringReader(s);
- lexer=new Yylex(in);
- ParseException err=null;
- try{
- token=lexer.yylex();
- }
- catch(ParseException e){
- err=e;
- System.out.println("error:"+err);
- assertEquals(ParseException.ERROR_UNEXPECTED_CHAR, e.getErrorType());
- assertEquals(0,e.getPosition());
- assertEquals(new Character('\b'),e.getUnexpectedObject());
- }
- catch(IOException ie){
- throw ie;
- }
- assertTrue(err!=null);
-
- s="{a : b}";
- System.out.println(s);
- in = new StringReader(s);
- lexer=new Yylex(in);
- err=null;
- try{
- lexer.yylex();
- token=lexer.yylex();
- }
- catch(ParseException e){
- err=e;
- System.out.println("error:"+err);
- assertEquals(ParseException.ERROR_UNEXPECTED_CHAR, e.getErrorType());
- assertEquals(new Character('a'),e.getUnexpectedObject());
- assertEquals(1,e.getPosition());
- }
- catch(IOException ie){
- throw ie;
- }
- assertTrue(err!=null);
- }
-
-}
diff --git a/test.xml b/test.xml
deleted file mode 100644
index 1af55bf8..00000000
--- a/test.xml
+++ /dev/null
@@ -1,48 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-