{"class_name": "ISO8601DateParser", "java_source": "/*\n * Copyright 1999,2006 The Apache Software Foundation.\n *\n * This file was taken from the Jakarta Feedparser sources and was modified\n * to change the\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.text.ParseException;\nimport java.text.SimpleDateFormat;\nimport java.util.Calendar;\nimport java.util.Date;\nimport java.util.GregorianCalendar;\nimport java.util.Locale;\nimport java.util.TimeZone;\n\n/**\n * ISO 8601 date parsing utility.
\n * Designed for parsing the ISO subset used in Dublin Core, RSS 1.0, and Atom.\n *\n * @author Kevin A. Burton (burtonator)\n * @version $Id: ISO8601DateParser.java 373572 2006-01-30 19:28:41Z mvdb $\n */\npublic class ISO8601DateParser {\n\n // 2004-06-14T19:GMT20:30Z\n // 2004-06-20T06:GMT22:01Z\n\n private static SimpleDateFormat df =\n new SimpleDateFormat(\"yyyy-MM-dd'T'HH:mm:ssz\", Locale.ENGLISH);\n\n /** ID to represent the 'GMT' string */\n private static final String GMT_ID = \"GMT\";\n\n /** The GMT timezone */\n private static final TimeZone TIMEZONE_GMT = TimeZone.getTimeZone(GMT_ID);\n\n // http://www.cl.cam.ac.uk/~mgk25/iso-time.html\n //\n // http://www.intertwingly.net/wiki/pie/DateTime\n //\n // http://www.w3.org/TR/NOTE-datetime\n //\n // Different standards may need different levels of granularity in the date and\n // time, so this profile defines six levels. Standards that reference this\n // profile should specify one or more of these granularities. If a given\n // standard allows more than one granularity, it should specify the meaning of\n // the dates and times with reduced precision, for example, the result of\n // comparing two dates with different precisions.\n\n // The formats are as follows. Exactly the components shown here must be\n // present, with exactly this punctuation. Note that the \"T\" appears literally\n // in the string, to indicate the beginning of the time element, as specified in\n // ISO 8601.\n\n // Year:\n // YYYY (eg 1997)\n // Year and month:\n // YYYY-MM (eg 1997-07)\n // Complete date:\n // YYYY-MM-DD (eg 1997-07-16)\n // Complete date plus hours and minutes:\n // YYYY-MM-DDThh:mmTZD (eg 1997-07-16T19:20+01:00)\n // Complete date plus hours, minutes and seconds:\n // YYYY-MM-DDThh:mm:ssTZD (eg 1997-07-16T19:20:30+01:00)\n // Complete date plus hours, minutes, seconds and a decimal fraction of a\n // second\n // YYYY-MM-DDThh:mm:ss.sTZD (eg 1997-07-16T19:20:30.45+01:00)\n\n // where:\n\n // YYYY = four-digit year\n // MM = two-digit month (01=January, etc.)\n // DD = two-digit day of month (01 through 31)\n // hh = two digits of hour (00 through 23) (am/pm NOT allowed)\n // mm = two digits of minute (00 through 59)\n // ss = two digits of second (00 through 59)\n // s = one or more digits representing a decimal fraction of a second\n // TZD = time zone designator (Z or +hh:mm or -hh:mm)\n public static Date parse(String input) throws java.text.ParseException {\n\n // NOTE: SimpleDateFormat uses GMT[-+]hh:mm for the TZ which breaks\n // things a bit. Before we go on we have to repair this.\n\n // this is zero time so we need to add that TZ indicator for\n if (input.endsWith(\"Z\")) {\n input = input.substring(0, input.length() - 1) + \"GMT-00:00\";\n } else {\n int inset = 6;\n\n String s0 = input.substring(0, input.length() - inset);\n String s1 = input.substring(input.length() - inset, input.length());\n\n input = s0 + \"GMT\" + s1;\n }\n\n return parseDate(input);\n }\n\n private static synchronized Date parseDate(final String input) throws ParseException {\n return df.parse(input);\n }\n\n /**\n * Format a date into 'yyyy-MM-ddThh:mm:ss[.sss]Z' (GMT timezone)\n *\n * @param date the date to format\n * @return the date formatted as 'yyyy-MM-ddThh:mm:ss[.sss]Z'\n */\n public static String format(final Date date) {\n return format(date, false, TIMEZONE_GMT);\n }\n\n /**\n * Format date into yyyy-MM-ddThh:mm:ss[.sss][Z|[+-]hh:mm]\n *\n * @param date the date to format\n * @param millis true to include millis precision otherwise false\n * @param tz timezone to use for the formatting (GMT will produce 'Z')\n * @return the date formatted as yyyy-MM-ddThh:mm:ss[.sss][Z|[+-]hh:mm]\n */\n public static String format(final Date date, final boolean millis, final TimeZone tz) {\n Calendar calendar = new GregorianCalendar(tz, Locale.US);\n calendar.setTime(date);\n\n // estimate capacity of buffer as close as we can (yeah, that's pedantic\n // ;)\n int capacity = \"yyyy-MM-ddThh:mm:ss\".length();\n capacity += millis ? \".sss\".length() : 0;\n capacity += tz.getRawOffset() == 0 ? \"Z\".length() : \"+hh:mm\".length();\n StringBuilder formatted = new StringBuilder(capacity);\n\n padInt(formatted, calendar.get(Calendar.YEAR), \"yyyy\".length());\n formatted.append('-');\n padInt(formatted, calendar.get(Calendar.MONTH) + 1, \"MM\".length());\n formatted.append('-');\n padInt(formatted, calendar.get(Calendar.DAY_OF_MONTH), \"dd\".length());\n formatted.append('T');\n padInt(formatted, calendar.get(Calendar.HOUR_OF_DAY), \"hh\".length());\n formatted.append(':');\n padInt(formatted, calendar.get(Calendar.MINUTE), \"mm\".length());\n formatted.append(':');\n padInt(formatted, calendar.get(Calendar.SECOND), \"ss\".length());\n if (millis) {\n formatted.append('.');\n padInt(formatted, calendar.get(Calendar.MILLISECOND), \"sss\".length());\n }\n\n int offset = tz.getOffset(calendar.getTimeInMillis());\n if (offset != 0) {\n int hours = Math.abs((offset / (60 * 1000)) / 60);\n int minutes = Math.abs((offset / (60 * 1000)) % 60);\n formatted.append(offset < 0 ? '-' : '+');\n padInt(formatted, hours, \"hh\".length());\n formatted.append(':');\n padInt(formatted, minutes, \"mm\".length());\n } else {\n formatted.append('Z');\n }\n\n return formatted.toString();\n }\n\n /**\n * Zero pad a number to a specified length\n *\n * @param buffer buffer to use for padding\n * @param value the integer value to pad if necessary.\n * @param length the length of the string we should zero pad\n */\n private static void padInt(final StringBuilder buffer, final int value, final int length) {\n String strValue = Integer.toString(value);\n for (int i = length - strValue.length(); i > 0; i--) {\n buffer.append('0');\n }\n buffer.append(strValue);\n }\n\n public static void main(final String[] args) throws Exception {\n\n System.out.println(parse(\"2004-05-31T09:19:31-06:00\"));\n System.out.println(parse(\"2004-06-23T17:25:31-00:00\"));\n System.out.println(parse(\"2004-06-23T17:25:31Z\"));\n\n // 2002-10-02T10:00:00-05:00\n System.out.println(\"v: \" + format(new Date(System.currentTimeMillis())));\n System.out.println(\"v: \" + format(new Date(1396314300000L)));\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ISO8601DateParser \n.super java/lang/Object \n.field private static df Ljava/text/SimpleDateFormat; \n.field private static final GMT_ID Ljava/lang/String; = 'GMT' \n.field private static final TIMEZONE_GMT Ljava/util/TimeZone; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public static parse : (Ljava/lang/String;)Ljava/util/Date; \n .code stack 5 locals 4 \nL0: aload_0 \nL1: ldc 'Z' \nL3: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z \nL6: ifeq L42 \nL9: new java/lang/StringBuilder \nL12: dup \nL13: invokespecial Method java/lang/StringBuilder ()V \nL16: aload_0 \nL17: iconst_0 \nL18: aload_0 \nL19: invokevirtual Method java/lang/String length ()I \nL22: iconst_1 \nL23: isub \nL24: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL30: ldc 'GMT-00:00' \nL32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL35: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL38: astore_0 \nL39: goto L96 \n\n .stack same \nL42: bipush 6 \nL44: istore_1 \nL45: aload_0 \nL46: iconst_0 \nL47: aload_0 \nL48: invokevirtual Method java/lang/String length ()I \nL51: iload_1 \nL52: isub \nL53: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL56: astore_2 \nL57: aload_0 \nL58: aload_0 \nL59: invokevirtual Method java/lang/String length ()I \nL62: iload_1 \nL63: isub \nL64: aload_0 \nL65: invokevirtual Method java/lang/String length ()I \nL68: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL71: astore_3 \nL72: new java/lang/StringBuilder \nL75: dup \nL76: invokespecial Method java/lang/StringBuilder ()V \nL79: aload_2 \nL80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL83: ldc 'GMT' \nL85: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL88: aload_3 \nL89: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL92: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL95: astore_0 \n\n .stack same \nL96: aload_0 \nL97: invokestatic Method ISO8601DateParser parseDate (Ljava/lang/String;)Ljava/util/Date; \nL100: areturn \nL101: \n .linenumbertable \n L0 99 \n L9 100 \n L42 102 \n L45 104 \n L57 105 \n L72 107 \n L96 110 \n .end linenumbertable \n .end code \n .exceptions java/text/ParseException \n.end method \n\n.method private static synchronized parseDate : (Ljava/lang/String;)Ljava/util/Date; \n .code stack 2 locals 1 \nL0: getstatic Field ISO8601DateParser df Ljava/text/SimpleDateFormat; \nL3: aload_0 \nL4: invokevirtual Method java/text/SimpleDateFormat parse (Ljava/lang/String;)Ljava/util/Date; \nL7: areturn \nL8: \n .linenumbertable \n L0 115 \n .end linenumbertable \n .end code \n .exceptions java/text/ParseException \n.end method \n\n.method public static format : (Ljava/util/Date;)Ljava/lang/String; \n .code stack 3 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: getstatic Field ISO8601DateParser TIMEZONE_GMT Ljava/util/TimeZone; \nL5: invokestatic Method ISO8601DateParser format (Ljava/util/Date;ZLjava/util/TimeZone;)Ljava/lang/String; \nL8: areturn \nL9: \n .linenumbertable \n L0 124 \n .end linenumbertable \n .end code \n.end method \n\n.method public static format : (Ljava/util/Date;ZLjava/util/TimeZone;)Ljava/lang/String; \n .code stack 4 locals 9 \nL0: new java/util/GregorianCalendar \nL3: dup \nL4: aload_2 \nL5: getstatic Field java/util/Locale US Ljava/util/Locale; \nL8: invokespecial Method java/util/GregorianCalendar (Ljava/util/TimeZone;Ljava/util/Locale;)V \nL11: astore_3 \nL12: aload_3 \nL13: aload_0 \nL14: invokevirtual Method java/util/Calendar setTime (Ljava/util/Date;)V \nL17: ldc 'yyyy-MM-ddThh:mm:ss' \nL19: invokevirtual Method java/lang/String length ()I \nL22: istore 4 \nL24: iload 4 \nL26: iload_1 \nL27: ifeq L38 \nL30: ldc '.sss' \nL32: invokevirtual Method java/lang/String length ()I \nL35: goto L39 \n\n .stack full \n locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer \n stack Integer \n .end stack \nL38: iconst_0 \n\n .stack full \n locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer \n stack Integer Integer \n .end stack \nL39: iadd \nL40: istore 4 \nL42: iload 4 \nL44: aload_2 \nL45: invokevirtual Method java/util/TimeZone getRawOffset ()I \nL48: ifne L59 \nL51: ldc 'Z' \nL53: invokevirtual Method java/lang/String length ()I \nL56: goto L64 \n\n .stack stack_1 Integer \nL59: ldc '+hh:mm' \nL61: invokevirtual Method java/lang/String length ()I \n\n .stack full \n locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer \n stack Integer Integer \n .end stack \nL64: iadd \nL65: istore 4 \nL67: new java/lang/StringBuilder \nL70: dup \nL71: iload 4 \nL73: invokespecial Method java/lang/StringBuilder (I)V \nL76: astore 5 \nL78: aload 5 \nL80: aload_3 \nL81: iconst_1 \nL82: invokevirtual Method java/util/Calendar get (I)I \nL85: ldc 'yyyy' \nL87: invokevirtual Method java/lang/String length ()I \nL90: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL93: aload 5 \nL95: bipush 45 \nL97: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL100: pop \nL101: aload 5 \nL103: aload_3 \nL104: iconst_2 \nL105: invokevirtual Method java/util/Calendar get (I)I \nL108: iconst_1 \nL109: iadd \nL110: ldc 'MM' \nL112: invokevirtual Method java/lang/String length ()I \nL115: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL118: aload 5 \nL120: bipush 45 \nL122: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL125: pop \nL126: aload 5 \nL128: aload_3 \nL129: iconst_5 \nL130: invokevirtual Method java/util/Calendar get (I)I \nL133: ldc 'dd' \nL135: invokevirtual Method java/lang/String length ()I \nL138: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL141: aload 5 \nL143: bipush 84 \nL145: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL148: pop \nL149: aload 5 \nL151: aload_3 \nL152: bipush 11 \nL154: invokevirtual Method java/util/Calendar get (I)I \nL157: ldc 'hh' \nL159: invokevirtual Method java/lang/String length ()I \nL162: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL165: aload 5 \nL167: bipush 58 \nL169: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL172: pop \nL173: aload 5 \nL175: aload_3 \nL176: bipush 12 \nL178: invokevirtual Method java/util/Calendar get (I)I \nL181: ldc 'mm' \nL183: invokevirtual Method java/lang/String length ()I \nL186: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL189: aload 5 \nL191: bipush 58 \nL193: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL196: pop \nL197: aload 5 \nL199: aload_3 \nL200: bipush 13 \nL202: invokevirtual Method java/util/Calendar get (I)I \nL205: ldc 'ss' \nL207: invokevirtual Method java/lang/String length ()I \nL210: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL213: iload_1 \nL214: ifeq L241 \nL217: aload 5 \nL219: bipush 46 \nL221: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL224: pop \nL225: aload 5 \nL227: aload_3 \nL228: bipush 14 \nL230: invokevirtual Method java/util/Calendar get (I)I \nL233: ldc 'sss' \nL235: invokevirtual Method java/lang/String length ()I \nL238: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \n\n .stack append Object java/lang/StringBuilder \nL241: aload_2 \nL242: aload_3 \nL243: invokevirtual Method java/util/Calendar getTimeInMillis ()J \nL246: invokevirtual Method java/util/TimeZone getOffset (J)I \nL249: istore 6 \nL251: iload 6 \nL253: ifeq L335 \nL256: iload 6 \nL258: ldc 60000 \nL260: idiv \nL261: bipush 60 \nL263: idiv \nL264: invokestatic Method java/lang/Math abs (I)I \nL267: istore 7 \nL269: iload 6 \nL271: ldc 60000 \nL273: idiv \nL274: bipush 60 \nL276: irem \nL277: invokestatic Method java/lang/Math abs (I)I \nL280: istore 8 \nL282: aload 5 \nL284: iload 6 \nL286: ifge L294 \nL289: bipush 45 \nL291: goto L296 \n\n .stack full \n locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer Object java/lang/StringBuilder Integer Integer Integer \n stack Object java/lang/StringBuilder \n .end stack \nL294: bipush 43 \n\n .stack full \n locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer Object java/lang/StringBuilder Integer Integer Integer \n stack Object java/lang/StringBuilder Integer \n .end stack \nL296: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL299: pop \nL300: aload 5 \nL302: iload 7 \nL304: ldc 'hh' \nL306: invokevirtual Method java/lang/String length ()I \nL309: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL312: aload 5 \nL314: bipush 58 \nL316: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL319: pop \nL320: aload 5 \nL322: iload 8 \nL324: ldc 'mm' \nL326: invokevirtual Method java/lang/String length ()I \nL329: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V \nL332: goto L343 \n\n .stack chop 2 \nL335: aload 5 \nL337: bipush 90 \nL339: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL342: pop \n\n .stack same \nL343: aload 5 \nL345: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL348: areturn \nL349: \n .linenumbertable \n L0 135 \n L12 136 \n L17 140 \n L24 141 \n L42 142 \n L67 143 \n L78 145 \n L93 146 \n L101 147 \n L118 148 \n L126 149 \n L141 150 \n L149 151 \n L165 152 \n L173 153 \n L189 154 \n L197 155 \n L213 156 \n L217 157 \n L225 158 \n L241 161 \n L251 162 \n L256 163 \n L269 164 \n L282 165 \n L300 166 \n L312 167 \n L320 168 \n L332 169 \n L335 170 \n L343 173 \n .end linenumbertable \n .end code \n.end method \n\n.method private static padInt : (Ljava/lang/StringBuilder;II)V \n .code stack 2 locals 5 \nL0: iload_1 \nL1: invokestatic Method java/lang/Integer toString (I)Ljava/lang/String; \nL4: astore_3 \nL5: iload_2 \nL6: aload_3 \nL7: invokevirtual Method java/lang/String length ()I \nL10: isub \nL11: istore 4 \n\n .stack append Object java/lang/String Integer \nL13: iload 4 \nL15: ifle L31 \nL18: aload_0 \nL19: bipush 48 \nL21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL24: pop \nL25: iinc 4 -1 \nL28: goto L13 \n\n .stack chop 1 \nL31: aload_0 \nL32: aload_3 \nL33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL36: pop \nL37: return \nL38: \n .linenumbertable \n L0 183 \n L5 184 \n L18 185 \n L25 184 \n L31 187 \n L37 188 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 6 locals 1 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: ldc '2004-05-31T09:19:31-06:00' \nL5: invokestatic Method ISO8601DateParser parse (Ljava/lang/String;)Ljava/util/Date; \nL8: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL11: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL14: ldc '2004-06-23T17:25:31-00:00' \nL16: invokestatic Method ISO8601DateParser parse (Ljava/lang/String;)Ljava/util/Date; \nL19: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL22: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL25: ldc '2004-06-23T17:25:31Z' \nL27: invokestatic Method ISO8601DateParser parse (Ljava/lang/String;)Ljava/util/Date; \nL30: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL33: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL36: new java/lang/StringBuilder \nL39: dup \nL40: invokespecial Method java/lang/StringBuilder ()V \nL43: ldc 'v: ' \nL45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL48: new java/util/Date \nL51: dup \nL52: invokestatic Method java/lang/System currentTimeMillis ()J \nL55: invokespecial Method java/util/Date (J)V \nL58: invokestatic Method ISO8601DateParser format (Ljava/util/Date;)Ljava/lang/String; \nL61: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL64: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL67: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL70: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL73: new java/lang/StringBuilder \nL76: dup \nL77: invokespecial Method java/lang/StringBuilder ()V \nL80: ldc 'v: ' \nL82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL85: new java/util/Date \nL88: dup \nL89: ldc2_w 1396314300000L \nL92: invokespecial Method java/util/Date (J)V \nL95: invokestatic Method ISO8601DateParser format (Ljava/util/Date;)Ljava/lang/String; \nL98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL101: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL104: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL107: return \nL108: \n .linenumbertable \n L0 192 \n L11 193 \n L22 194 \n L33 197 \n L70 198 \n L107 199 \n .end linenumbertable \n .end code \n .exceptions java/lang/Exception \n.end method \n\n.method static : ()V \n .code stack 4 locals 0 \nL0: new java/text/SimpleDateFormat \nL3: dup \nL4: ldc \"yyyy-MM-dd'T'HH:mm:ssz\" \nL6: getstatic Field java/util/Locale ENGLISH Ljava/util/Locale; \nL9: invokespecial Method java/text/SimpleDateFormat (Ljava/lang/String;Ljava/util/Locale;)V \nL12: putstatic Field ISO8601DateParser df Ljava/text/SimpleDateFormat; \nL15: ldc 'GMT' \nL17: invokestatic Method java/util/TimeZone getTimeZone (Ljava/lang/String;)Ljava/util/TimeZone; \nL20: putstatic Field ISO8601DateParser TIMEZONE_GMT Ljava/util/TimeZone; \nL23: return \nL24: \n .linenumbertable \n L0 39 \n L15 49 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ISO8601DateParser.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 11:08:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.text.ParseException;\nimport java.time.ZoneId;\nimport java.time.ZoneOffset;\nimport java.util.Date;\nimport java.util.TimeZone;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockDate;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ISO8601DateParser_ESTest extends ISO8601DateParser_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n try { \n ISO8601DateParser.parse(\"44323-09-10T21:43:00.000Z\");\n fail(\"Expecting exception: ParseException\");\n \n } catch(ParseException e) {\n //\n // Unparseable date: \\\"44323-09-10T21:43:00.000GMT-00:00\\\"\n //\n verifyException(\"java.text.DateFormat\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MockDate mockDate0 = new MockDate((-42557), (-42557), (-42557), (-11317), (-42557));\n TimeZone timeZone0 = TimeZone.getDefault();\n ZoneOffset zoneOffset0 = ZoneOffset.MAX;\n Object object0 = new Object();\n zoneOffset0.equals(object0);\n TimeZone.getTimeZone((ZoneId) zoneOffset0);\n timeZone0.setRawOffset((-42557));\n ISO8601DateParser.format((Date) mockDate0, true, timeZone0);\n try { \n ISO8601DateParser.parse(\"44323-09-10T21:43:00.000Z\");\n fail(\"Expecting exception: ParseException\");\n \n } catch(ParseException e) {\n //\n // Unparseable date: \\\"44323-09-10T21:43:00.000GMT-00:00\\\"\n //\n verifyException(\"java.text.DateFormat\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MockDate mockDate0 = new MockDate(0, 7737, 7737, 7737, 0);\n ZoneOffset zoneOffset0 = ZoneOffset.ofTotalSeconds(7737);\n TimeZone timeZone0 = TimeZone.getTimeZone((ZoneId) zoneOffset0);\n String string0 = ISO8601DateParser.format((Date) mockDate0, false, timeZone0);\n assertEquals(\"2566-10-24T09:00:00Z\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n // Undeclared exception!\n try { \n ISO8601DateParser.parse(\">_I5\");\n fail(\"Expecting exception: StringIndexOutOfBoundsException\");\n \n } catch(StringIndexOutOfBoundsException e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Date date0 = ISO8601DateParser.parse(\"2566-10-24T09:00:00Z\");\n assertEquals(\"Fri Feb 14 20:21:21 GMT 2014\", date0.toString());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n MockDate mockDate0 = new MockDate(0, 7737, 7737, 7737, 0);\n String string0 = ISO8601DateParser.format((Date) mockDate0);\n assertEquals(\"2566-10-24T09:00:00Z\", string0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n MockDate mockDate0 = new MockDate();\n TimeZone timeZone0 = TimeZone.getTimeZone(\"7J\");\n String string0 = ISO8601DateParser.format((Date) mockDate0, true, timeZone0);\n assertEquals(\"2014-02-14T20:21:21.320Z\", string0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n ISO8601DateParser iSO8601DateParser0 = new ISO8601DateParser();\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n String[] stringArray0 = new String[8];\n ISO8601DateParser.main(stringArray0);\n Date date0 = ISO8601DateParser.parse(\"2566-10-24T09:00:00Z\");\n assertEquals(\"Fri Feb 14 20:21:21 GMT 2014\", date0.toString());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 11:08:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ISO8601DateParser_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ISO8601DateParser\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpuw73r2e7\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ISO8601DateParser_ESTest_scaffolding.class.getClassLoader() ,\n \"ISO8601DateParser\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ISO8601DateParser_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ISO8601DateParser\"\n );\n }\n}\n", "class_idx": 0} {"class_name": "TimeStat", "java_source": "/*\n * RealmSpeak is the Java application for playing the board game Magic Realm.\n * Copyright (c) 2005-2015 Robin Warren\n * E-mail: robin@dewkid.com\n *\n * This program is free software: you can redistribute it and/or modify it under the terms of the\n * GNU General Public License as published by the Free Software Foundation, either version 3 of the License,\n * or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the\n * implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License\n * for more details.\n *\n * You should have received a copy of the GNU General Public License along with this program. If not, see\n *\n * http://www.gnu.org/licenses/\n */\n\nimport java.sql.*;\nimport java.util.*;\n\npublic class TimeStat {\n\n //\tprivate static final long NANOS_PER_MILLISECOND = 1000000l;\n\n /** Hash that holds a single start time for any single key */\n private Hashtable starts = new Hashtable();\n\n /** Hash that holds all the measurement (duration) times for any single key */\n private Hashtable times = new Hashtable();\n\n /** Sole constructor */\n public TimeStat() {\n reset();\n }\n\n /** Resets all measurements by deleting all times. */\n public void reset() {\n starts = new Hashtable();\n times = new Hashtable();\n }\n\n /**\n * Marks the start time for a given measurement, identified by a key. Any previous start time in\n * the hash is overwritten.\n */\n public void markStartTime(String key) {\n starts.put(key, new Timestamp((new java.util.Date()).getTime()));\n }\n\n /**\n * Marks the end time for a given measurement, identified by a key. This method enters a new\n * measurement, and deletes the reference in the start time hash. If there is no corresponding\n * start time, nothing happens.\n */\n public void markEndTime(String key) {\n Timestamp end = new Timestamp((new java.util.Date()).getTime());\n Timestamp start = (Timestamp) starts.get(key);\n if (start != null) {\n starts.remove(key);\n long endMs = end.getTime(); // + (long)end.getNanos()/NANOS_PER_MILLISECOND;\n long startMs = start.getTime(); // + (long)start.getNanos()/NANOS_PER_MILLISECOND;\n long diff = endMs - startMs;\n //\t\t\tif (startMs>endMs) {\n //\t\t\t\tSystem.out.print(start.getTime()+\"+\");\n //\t\t\t\tSystem.out.println(start.getNanos()/NANOS_PER_MILLISECOND);\n //\t\t\t\tSystem.out.print(end.getTime()+\"+\");\n //\t\t\t\tSystem.out.println(end.getNanos()/NANOS_PER_MILLISECOND);\n //\t\t\t\tSystem.out.println(diff);\n //\t\t\t\tthrow new IllegalStateException(\"Aggghh! \"+start+\" and \"+end);\n //\t\t\t}\n ArrayList all = (ArrayList) times.get(key);\n if (all == null) {\n all = new ArrayList();\n times.put(key, all);\n }\n all.add(new Long(diff));\n }\n }\n\n /** Returns a summary of all keys, and their timed averages. */\n public String getAverageSummary() {\n StringBuffer sb = new StringBuffer(\"Average Summary:\\n\\n\");\n for (Enumeration e = times.keys(); e.hasMoreElements(); ) {\n String key = (String) e.nextElement();\n double avgmSec = getAverageMilliseconds(key);\n sb.append(\n \" \"\n + key\n + \" averaged \"\n + avgmSec\n + \" milliseconds. (\"\n + getTotalMeasurements(key)\n + \" total measurements)\\n\");\n }\n sb.append(\"\\n\");\n return sb.toString();\n }\n\n /** Returns an Enumeration of all keys used for measurements. */\n public Enumeration keys() {\n return times.keys();\n }\n\n /** Returns the total number of measurements for a given key. */\n public int getTotalMeasurements(String key) {\n ArrayList all = (ArrayList) times.get(key);\n if (all != null) {\n return all.size();\n }\n return 0;\n }\n\n /**\n * Returns the average number of milliseconds for all start/end measurements for the provided key\n */\n public double getAverageMilliseconds(String key) {\n ArrayList all = (ArrayList) times.get(key);\n if (all != null) {\n long total = 0;\n for (Iterator i = all.iterator(); i.hasNext(); ) {\n Long msec = (Long) i.next();\n total += msec.longValue();\n }\n return ((double) total / (double) all.size());\n }\n return 0.0;\n }\n\n /**\n * Returns the total number of milliseconds for all start/end measurements for the provided key\n */\n public double getTotalMilliseconds(String key) {\n ArrayList all = (ArrayList) times.get(key);\n if (all != null) {\n long total = 0;\n for (Iterator i = all.iterator(); i.hasNext(); ) {\n Long msec = (Long) i.next();\n total += msec.longValue();\n }\n return (double) total;\n }\n return 0.0;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super TimeStat \n.super java/lang/Object \n.field private starts Ljava/util/Hashtable; \n.field private times Ljava/util/Hashtable; \n\n.method public : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/Hashtable \nL8: dup \nL9: invokespecial Method java/util/Hashtable ()V \nL12: putfield Field TimeStat starts Ljava/util/Hashtable; \nL15: aload_0 \nL16: new java/util/Hashtable \nL19: dup \nL20: invokespecial Method java/util/Hashtable ()V \nL23: putfield Field TimeStat times Ljava/util/Hashtable; \nL26: aload_0 \nL27: invokevirtual Method TimeStat reset ()V \nL30: return \nL31: \n .linenumbertable \n L0 36 \n L4 28 \n L15 31 \n L26 37 \n L30 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public reset : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: new java/util/Hashtable \nL4: dup \nL5: invokespecial Method java/util/Hashtable ()V \nL8: putfield Field TimeStat starts Ljava/util/Hashtable; \nL11: aload_0 \nL12: new java/util/Hashtable \nL15: dup \nL16: invokespecial Method java/util/Hashtable ()V \nL19: putfield Field TimeStat times Ljava/util/Hashtable; \nL22: return \nL23: \n .linenumbertable \n L0 44 \n L11 45 \n L22 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public markStartTime : (Ljava/lang/String;)V \n .code stack 6 locals 2 \nL0: aload_0 \nL1: getfield Field TimeStat starts Ljava/util/Hashtable; \nL4: aload_1 \nL5: new java/sql/Timestamp \nL8: dup \nL9: new java/util/Date \nL12: dup \nL13: invokespecial Method java/util/Date ()V \nL16: invokevirtual Method java/util/Date getTime ()J \nL19: invokespecial Method java/sql/Timestamp (J)V \nL22: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL25: pop \nL26: return \nL27: \n .linenumbertable \n L0 53 \n L26 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public markEndTime : (Ljava/lang/String;)V \n .code stack 5 locals 11 \nL0: new java/sql/Timestamp \nL3: dup \nL4: new java/util/Date \nL7: dup \nL8: invokespecial Method java/util/Date ()V \nL11: invokevirtual Method java/util/Date getTime ()J \nL14: invokespecial Method java/sql/Timestamp (J)V \nL17: astore_2 \nL18: aload_0 \nL19: getfield Field TimeStat starts Ljava/util/Hashtable; \nL22: aload_1 \nL23: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL26: checkcast java/sql/Timestamp \nL29: astore_3 \nL30: aload_3 \nL31: ifnull L115 \nL34: aload_0 \nL35: getfield Field TimeStat starts Ljava/util/Hashtable; \nL38: aload_1 \nL39: invokevirtual Method java/util/Hashtable remove (Ljava/lang/Object;)Ljava/lang/Object; \nL42: pop \nL43: aload_2 \nL44: invokevirtual Method java/sql/Timestamp getTime ()J \nL47: lstore 4 \nL49: aload_3 \nL50: invokevirtual Method java/sql/Timestamp getTime ()J \nL53: lstore 6 \nL55: lload 4 \nL57: lload 6 \nL59: lsub \nL60: lstore 8 \nL62: aload_0 \nL63: getfield Field TimeStat times Ljava/util/Hashtable; \nL66: aload_1 \nL67: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL70: checkcast java/util/ArrayList \nL73: astore 10 \nL75: aload 10 \nL77: ifnonnull L100 \nL80: new java/util/ArrayList \nL83: dup \nL84: invokespecial Method java/util/ArrayList ()V \nL87: astore 10 \nL89: aload_0 \nL90: getfield Field TimeStat times Ljava/util/Hashtable; \nL93: aload_1 \nL94: aload 10 \nL96: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL99: pop \n\n .stack full \n locals Object TimeStat Object java/lang/String Object java/sql/Timestamp Object java/sql/Timestamp Long Long Long Object java/util/ArrayList \n stack \n .end stack \nL100: aload 10 \nL102: new java/lang/Long \nL105: dup \nL106: lload 8 \nL108: invokespecial Method java/lang/Long (J)V \nL111: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z \nL114: pop \n\n .stack full \n locals Object TimeStat Object java/lang/String Object java/sql/Timestamp Object java/sql/Timestamp \n stack \n .end stack \nL115: return \nL116: \n .linenumbertable \n L0 62 \n L18 63 \n L30 64 \n L34 65 \n L43 66 \n L49 67 \n L55 68 \n L62 77 \n L75 78 \n L80 79 \n L89 80 \n L100 82 \n L115 84 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAverageSummary : ()Ljava/lang/String; \n .code stack 4 locals 6 \nL0: new java/lang/StringBuffer \nL3: dup \nL4: ldc 'Average Summary:\\n\\n' \nL6: invokespecial Method java/lang/StringBuffer (Ljava/lang/String;)V \nL9: astore_1 \nL10: aload_0 \nL11: getfield Field TimeStat times Ljava/util/Hashtable; \nL14: invokevirtual Method java/util/Hashtable keys ()Ljava/util/Enumeration; \nL17: astore_2 \n\n .stack append Object java/lang/StringBuffer Object java/util/Enumeration \nL18: aload_2 \nL19: invokeinterface InterfaceMethod java/util/Enumeration hasMoreElements ()Z 1 \nL24: ifeq L99 \nL27: aload_2 \nL28: invokeinterface InterfaceMethod java/util/Enumeration nextElement ()Ljava/lang/Object; 1 \nL33: checkcast java/lang/String \nL36: astore_3 \nL37: aload_0 \nL38: aload_3 \nL39: invokevirtual Method TimeStat getAverageMilliseconds (Ljava/lang/String;)D \nL42: dstore 4 \nL44: aload_1 \nL45: new java/lang/StringBuilder \nL48: dup \nL49: invokespecial Method java/lang/StringBuilder ()V \nL52: ldc ' ' \nL54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL57: aload_3 \nL58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL61: ldc ' averaged ' \nL63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL66: dload 4 \nL68: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL71: ldc ' milliseconds. (' \nL73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL76: aload_0 \nL77: aload_3 \nL78: invokevirtual Method TimeStat getTotalMeasurements (Ljava/lang/String;)I \nL81: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL84: ldc ' total measurements)\\n' \nL86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL89: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL92: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL95: pop \nL96: goto L18 \n\n .stack chop 1 \nL99: aload_1 \nL100: ldc '\\n' \nL102: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL105: pop \nL106: aload_1 \nL107: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; \nL110: areturn \nL111: \n .linenumbertable \n L0 90 \n L10 91 \n L27 92 \n L37 93 \n L44 94 \n L96 95 \n L99 96 \n L106 97 \n .end linenumbertable \n .end code \n.end method \n\n.method public keys : ()Ljava/util/Enumeration; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field TimeStat times Ljava/util/Hashtable; \nL4: invokevirtual Method java/util/Hashtable keys ()Ljava/util/Enumeration; \nL7: areturn \nL8: \n .linenumbertable \n L0 104 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTotalMeasurements : (Ljava/lang/String;)I \n .code stack 2 locals 3 \nL0: aload_0 \nL1: getfield Field TimeStat times Ljava/util/Hashtable; \nL4: aload_1 \nL5: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL8: checkcast java/util/ArrayList \nL11: astore_2 \nL12: aload_2 \nL13: ifnull L21 \nL16: aload_2 \nL17: invokevirtual Method java/util/ArrayList size ()I \nL20: ireturn \n\n .stack append Object java/util/ArrayList \nL21: iconst_0 \nL22: ireturn \nL23: \n .linenumbertable \n L0 111 \n L12 112 \n L16 113 \n L21 115 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAverageMilliseconds : (Ljava/lang/String;)D \n .code stack 4 locals 7 \nL0: aload_0 \nL1: getfield Field TimeStat times Ljava/util/Hashtable; \nL4: aload_1 \nL5: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL8: checkcast java/util/ArrayList \nL11: astore_2 \nL12: aload_2 \nL13: ifnull L66 \nL16: lconst_0 \nL17: lstore_3 \nL18: aload_2 \nL19: invokevirtual Method java/util/ArrayList iterator ()Ljava/util/Iterator; \nL22: astore 5 \n\n .stack append Object java/util/ArrayList Long Object java/util/Iterator \nL24: aload 5 \nL26: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL31: ifeq L57 \nL34: aload 5 \nL36: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL41: checkcast java/lang/Long \nL44: astore 6 \nL46: lload_3 \nL47: aload 6 \nL49: invokevirtual Method java/lang/Long longValue ()J \nL52: ladd \nL53: lstore_3 \nL54: goto L24 \n\n .stack chop 1 \nL57: lload_3 \nL58: l2d \nL59: aload_2 \nL60: invokevirtual Method java/util/ArrayList size ()I \nL63: i2d \nL64: ddiv \nL65: dreturn \n\n .stack chop 1 \nL66: dconst_0 \nL67: dreturn \nL68: \n .linenumbertable \n L0 123 \n L12 124 \n L16 125 \n L18 126 \n L34 127 \n L46 128 \n L54 129 \n L57 130 \n L66 132 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTotalMilliseconds : (Ljava/lang/String;)D \n .code stack 4 locals 7 \nL0: aload_0 \nL1: getfield Field TimeStat times Ljava/util/Hashtable; \nL4: aload_1 \nL5: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL8: checkcast java/util/ArrayList \nL11: astore_2 \nL12: aload_2 \nL13: ifnull L60 \nL16: lconst_0 \nL17: lstore_3 \nL18: aload_2 \nL19: invokevirtual Method java/util/ArrayList iterator ()Ljava/util/Iterator; \nL22: astore 5 \n\n .stack append Object java/util/ArrayList Long Object java/util/Iterator \nL24: aload 5 \nL26: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL31: ifeq L57 \nL34: aload 5 \nL36: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL41: checkcast java/lang/Long \nL44: astore 6 \nL46: lload_3 \nL47: aload 6 \nL49: invokevirtual Method java/lang/Long longValue ()J \nL52: ladd \nL53: lstore_3 \nL54: goto L24 \n\n .stack chop 1 \nL57: lload_3 \nL58: l2d \nL59: dreturn \n\n .stack chop 1 \nL60: dconst_0 \nL61: dreturn \nL62: \n .linenumbertable \n L0 140 \n L12 141 \n L16 142 \n L18 143 \n L34 144 \n L46 145 \n L54 146 \n L57 147 \n L60 149 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TimeStat.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 05:37:45 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.System;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TimeStat_ESTest extends TimeStat_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TimeStat timeStat0 = new TimeStat();\n timeStat0.markStartTime(\"\");\n timeStat0.markEndTime(\"\");\n timeStat0.markStartTime(\"\");\n timeStat0.getTotalMilliseconds(\"\");\n timeStat0.markEndTime(\"\");\n timeStat0.keys();\n String string0 = timeStat0.getAverageSummary();\n assertEquals(\"Average Summary:\\n\\n averaged 0.0 milliseconds. (2 total measurements)\\n\\n\", string0);\n \n timeStat0.markEndTime(\"\");\n timeStat0.markStartTime(\"\");\n double double0 = timeStat0.getTotalMilliseconds(\"\");\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n System.setCurrentTimeMillis(0L);\n TimeStat timeStat0 = new TimeStat();\n timeStat0.markStartTime(\"Average Summary:\\n\\n\\n\");\n timeStat0.markEndTime(\"Average Summary:\\n\\n\\n\");\n timeStat0.markEndTime(\"27\");\n String string0 = timeStat0.getAverageSummary();\n assertEquals(\"Average Summary:\\n\\n Average Summary:\\n\\n\\n averaged 0.0 milliseconds. (1 total measurements)\\n\\n\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n TimeStat timeStat0 = new TimeStat();\n timeStat0.markStartTime(\"\");\n timeStat0.markEndTime(\"\");\n timeStat0.getAverageMilliseconds(\"\");\n timeStat0.getAverageSummary();\n timeStat0.markStartTime(\"\");\n timeStat0.getTotalMilliseconds(\"\");\n timeStat0.markEndTime(\"\");\n timeStat0.reset();\n timeStat0.keys();\n timeStat0.getAverageMilliseconds(\"\");\n timeStat0.markEndTime(\"\");\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n TimeStat timeStat0 = new TimeStat();\n timeStat0.markStartTime(\"Average Summary:\\n\\n\\n\");\n timeStat0.markEndTime(\"Average Summary:\\n\\n\\n\");\n int int0 = timeStat0.getTotalMeasurements(\"Average Summary:\\n\\n\\n\");\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n TimeStat timeStat0 = new TimeStat();\n double double0 = timeStat0.getTotalMilliseconds(\"\");\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n TimeStat timeStat0 = new TimeStat();\n int int0 = timeStat0.getTotalMeasurements(\"Average Summary:\\n\\n averaged 0.0 milliseconds. (1 total measurements)\\n\\n\");\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 05:37:45 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TimeStat_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TimeStat\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpg0dy88on\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeStat_ESTest_scaffolding.class.getClassLoader() ,\n \"TimeStat\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeStat_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TimeStat\"\n );\n }\n}\n", "class_idx": 1} {"class_name": "Employee", "java_source": "public class Employee {}\n", "jasm_code": ".version 52 0 \n.class public super Employee \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Employee.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:07:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Employee_ESTest extends Employee_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Employee employee0 = new Employee();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 22:07:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Employee_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Employee\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpy_4a4uet\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Employee_ESTest_scaffolding.class.getClassLoader() ,\n \"Employee\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Employee_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Employee\"\n );\n }\n}\n", "class_idx": 2} {"class_name": "Constant", "java_source": "public class Constant {\n\n public static String LONGITUDE;\n public static String LATITUDE;\n public static String PLACENAME;\n}\n", "jasm_code": ".version 52 0 \n.class public super Constant \n.super java/lang/Object \n.field public static LONGITUDE Ljava/lang/String; \n.field public static LATITUDE Ljava/lang/String; \n.field public static PLACENAME Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Constant.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:46:49 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Constant_ESTest extends Constant_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Constant constant0 = new Constant();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:46:49 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Constant_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Constant\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyq_6g27j\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constant_ESTest_scaffolding.class.getClassLoader() ,\n \"Constant\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constant_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Constant\"\n );\n }\n}\n", "class_idx": 3} {"class_name": "MD5CalculationParam", "java_source": "/*\n * Copyright 2014-2015 Christopher Weiss\n *

\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *

\n * http://www.apache.org/licenses/LICENSE-2.0\n *

\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n **/\n\n/** Which files should have their MD5 calculated and uploaded */\npublic class MD5CalculationParam {\n private String includeRegex;\n\n public MD5CalculationParam() {}\n\n public MD5CalculationParam(String includeRegex) {\n this.includeRegex = includeRegex;\n }\n\n public String getIncludeRegex() {\n return includeRegex;\n }\n\n public void setIncludeRegex(String includeRegex) {\n this.includeRegex = includeRegex;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MD5CalculationParam \n.super java/lang/Object \n.field private includeRegex Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 25 \n L4 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field MD5CalculationParam includeRegex Ljava/lang/String; \nL9: return \nL10: \n .linenumbertable \n L0 28 \n L4 29 \n L9 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public getIncludeRegex : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MD5CalculationParam includeRegex Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public setIncludeRegex : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field MD5CalculationParam includeRegex Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 37 \n L5 38 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MD5CalculationParam.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:45:09 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MD5CalculationParam_ESTest extends MD5CalculationParam_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam();\n mD5CalculationParam0.setIncludeRegex(\"MD5CalculationParam\");\n String string0 = mD5CalculationParam0.getIncludeRegex();\n assertEquals(\"MD5CalculationParam\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam(\"2jKh?Ts\");\n assertEquals(\"2jKh?Ts\", mD5CalculationParam0.getIncludeRegex());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam();\n String string0 = mD5CalculationParam0.getIncludeRegex();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam();\n mD5CalculationParam0.setIncludeRegex(\"\");\n String string0 = mD5CalculationParam0.getIncludeRegex();\n assertEquals(\"\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:45:09 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MD5CalculationParam_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MD5CalculationParam\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmptmtnkikm\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MD5CalculationParam_ESTest_scaffolding.class.getClassLoader() ,\n \"MD5CalculationParam\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MD5CalculationParam_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MD5CalculationParam\"\n );\n }\n}\n", "class_idx": 4} {"class_name": "CategoryKey", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one or more\n * contributor license agreements. See the NOTICE file distributed with\n * this work for additional information regarding copyright ownership.\n * The ASF licenses this file to You under the Apache License, Version 2.0\n * (the \"License\"); you may not use this file except in compliance with\n * the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * CategoryKey is a wrapper for String that apparently accellerated hash table lookup in early\n * JVM's.\n *\n * @author Ceki Gülcü\n */\nclass CategoryKey {\n\n String name;\n int hashCache;\n\n CategoryKey(String name) {\n this.name = name;\n hashCache = name.hashCode();\n }\n\n public final int hashCode() {\n return hashCache;\n }\n\n public final boolean equals(Object rArg) {\n if (this == rArg) return true;\n\n if (rArg != null && CategoryKey.class == rArg.getClass())\n return name.equals(((CategoryKey) rArg).name);\n else return false;\n }\n}\n", "jasm_code": ".version 52 0 \n.class super CategoryKey \n.super java/lang/Object \n.field name Ljava/lang/String; \n.field hashCache I \n\n.method : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field CategoryKey name Ljava/lang/String; \nL9: aload_0 \nL10: aload_1 \nL11: invokevirtual Method java/lang/String hashCode ()I \nL14: putfield Field CategoryKey hashCache I \nL17: return \nL18: \n .linenumbertable \n L0 30 \n L4 31 \n L9 32 \n L17 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public final hashCode : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CategoryKey hashCache I \nL4: ireturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public final equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnull L35 \nL11: ldc Class CategoryKey \nL13: aload_1 \nL14: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL17: if_acmpne L35 \nL20: aload_0 \nL21: getfield Field CategoryKey name Ljava/lang/String; \nL24: aload_1 \nL25: checkcast CategoryKey \nL28: getfield Field CategoryKey name Ljava/lang/String; \nL31: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL34: ireturn \n\n .stack same \nL35: iconst_0 \nL36: ireturn \nL37: \n .linenumbertable \n L0 44 \n L5 45 \n L7 47 \n L20 48 \n L35 50 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CategoryKey.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 13:58:45 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CategoryKey_ESTest extends CategoryKey_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CategoryKey categoryKey0 = new CategoryKey(\"CategoryKey\");\n CategoryKey categoryKey1 = new CategoryKey(\"l.wk{A`PB!=)~\");\n boolean boolean0 = categoryKey0.equals(categoryKey1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n CategoryKey categoryKey0 = new CategoryKey(\"CategoryKey\");\n boolean boolean0 = categoryKey0.equals((Object) null);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n CategoryKey categoryKey0 = new CategoryKey(\"Dd3Y\");\n boolean boolean0 = categoryKey0.equals(categoryKey0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n CategoryKey categoryKey0 = new CategoryKey(\"Dd3Y\");\n boolean boolean0 = categoryKey0.equals(\"Dd3Y\");\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n CategoryKey categoryKey0 = new CategoryKey(\"Dd3Y\");\n categoryKey0.hashCode();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 13:58:45 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CategoryKey_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CategoryKey\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpc_pwqek1\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CategoryKey_ESTest_scaffolding.class.getClassLoader() ,\n \"CategoryKey\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CategoryKey_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CategoryKey\"\n );\n }\n}\n", "class_idx": 5} {"class_name": "EncodeException", "java_source": "/*\n * Copyright (C) 2006 The Android Open Source Project\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/** {@hide} */\npublic class EncodeException extends Exception {\n public EncodeException() {\n super();\n }\n\n public EncodeException(String s) {\n super(s);\n }\n\n public EncodeException(char c) {\n super(\"Unencodable char: '\" + c + \"'\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super EncodeException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 25 \n L4 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 29 \n L5 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (C)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: new java/lang/StringBuilder \nL4: dup \nL5: invokespecial Method java/lang/StringBuilder ()V \nL8: ldc \"Unencodable char: '\" \nL10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL13: iload_1 \nL14: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL17: ldc \"'\" \nL19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL22: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL25: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL28: return \nL29: \n .linenumbertable \n L0 33 \n L28 34 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'EncodeException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 01:10:54 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class EncodeException_ESTest extends EncodeException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n EncodeException encodeException0 = new EncodeException(\"\");\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n EncodeException encodeException0 = new EncodeException();\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n EncodeException encodeException0 = new EncodeException('R');\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 01:10:54 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class EncodeException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"EncodeException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpft1p2vxv\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EncodeException_ESTest_scaffolding.class.getClassLoader() ,\n \"EncodeException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EncodeException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"EncodeException\"\n );\n }\n}\n", "class_idx": 6} {"class_name": "Transmission", "java_source": "/** Created by admin on 16.08.2017. */\npublic class Transmission {\n private int id;\n\n private String name;\n\n public int getId() {\n return id;\n }\n\n public void setId(int id) {\n this.id = id;\n }\n\n public String getName() {\n return name;\n }\n\n public void setName(String name) {\n this.name = name;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Transmission \n.super java/lang/Object \n.field private id I \n.field private name Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Transmission id I \nL4: ireturn \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Transmission id I \nL5: return \nL6: \n .linenumbertable \n L0 16 \n L5 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Transmission name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public setName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Transmission name Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 24 \n L5 25 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Transmission.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 19:04:38 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Transmission_ESTest extends Transmission_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Transmission transmission0 = new Transmission();\n transmission0.setName(\"\");\n String string0 = transmission0.getName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Transmission transmission0 = new Transmission();\n transmission0.setId((-2853));\n int int0 = transmission0.getId();\n assertEquals((-2853), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Transmission transmission0 = new Transmission();\n int int0 = transmission0.getId();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Transmission transmission0 = new Transmission();\n transmission0.setName(\"j~iI4H~c\");\n String string0 = transmission0.getName();\n assertEquals(\"j~iI4H~c\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Transmission transmission0 = new Transmission();\n transmission0.setId(56004);\n int int0 = transmission0.getId();\n assertEquals(56004, int0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Transmission transmission0 = new Transmission();\n String string0 = transmission0.getName();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 19:04:38 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Transmission_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Transmission\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprt1bvixo\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Transmission_ESTest_scaffolding.class.getClassLoader() ,\n \"Transmission\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Transmission_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Transmission\"\n );\n }\n}\n", "class_idx": 7} {"class_name": "Component1", "java_source": "public class Component1 {}\n", "jasm_code": ".version 52 0 \n.class public super Component1 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Component1.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 07:27:39 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Component1_ESTest extends Component1_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Component1 component1_0 = new Component1();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 07:27:39 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Component1_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Component1\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1xc5gjen\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Component1_ESTest_scaffolding.class.getClassLoader() ,\n \"Component1\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Component1_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Component1\"\n );\n }\n}\n", "class_idx": 8} {"class_name": "TestDatabaseMetaData", "java_source": "import java.sql.Connection;\nimport java.sql.DatabaseMetaData;\nimport java.sql.DriverManager;\nimport java.sql.SQLException;\n\npublic class TestDatabaseMetaData {\n public static void main(String[] args) throws SQLException, ClassNotFoundException {\n // Load the JDBC driver\n Class.forName(\"com.mysql.jdbc.Driver\");\n System.out.println(\"Driver loaded\");\n\n // Establish a connection\n Connection connection =\n DriverManager.getConnection(\"jdbc:mysql://localhost/javabook\", \"scott\", \"tiger\");\n System.out.println(\"Database connected\");\n\n DatabaseMetaData dbMetaData = connection.getMetaData();\n System.out.println(\"database URL: \" + dbMetaData.getURL());\n System.out.println(\"database username: \" + dbMetaData.getUserName());\n System.out.println(\"database product name: \" + dbMetaData.getDatabaseProductName());\n System.out.println(\"database product version: \" + dbMetaData.getDatabaseProductVersion());\n System.out.println(\"JDBC driver name: \" + dbMetaData.getDriverName());\n System.out.println(\"JDBC driver version: \" + dbMetaData.getDriverVersion());\n System.out.println(\"JDBC driver major version: \" + dbMetaData.getDriverMajorVersion());\n System.out.println(\"JDBC driver minor version: \" + dbMetaData.getDriverMinorVersion());\n System.out.println(\"Max number of connections: \" + dbMetaData.getMaxConnections());\n System.out.println(\"MaxTableNameLength: \" + dbMetaData.getMaxTableNameLength());\n System.out.println(\"MaxColumnsInTable: \" + dbMetaData.getMaxColumnsInTable());\n\n // Close the connection\n connection.close();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super TestDatabaseMetaData \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 3 \nL0: ldc 'com.mysql.jdbc.Driver' \nL2: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class; \nL5: pop \nL6: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL9: ldc 'Driver loaded' \nL11: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL14: ldc 'jdbc:mysql://localhost/javabook' \nL16: ldc 'scott' \nL18: ldc 'tiger' \nL20: invokestatic Method java/sql/DriverManager getConnection (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/sql/Connection; \nL23: astore_1 \nL24: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL27: ldc 'Database connected' \nL29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL32: aload_1 \nL33: invokeinterface InterfaceMethod java/sql/Connection getMetaData ()Ljava/sql/DatabaseMetaData; 1 \nL38: astore_2 \nL39: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL42: new java/lang/StringBuilder \nL45: dup \nL46: invokespecial Method java/lang/StringBuilder ()V \nL49: ldc 'database URL: ' \nL51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL54: aload_2 \nL55: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getURL ()Ljava/lang/String; 1 \nL60: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL63: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL66: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL69: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL72: new java/lang/StringBuilder \nL75: dup \nL76: invokespecial Method java/lang/StringBuilder ()V \nL79: ldc 'database username: ' \nL81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL84: aload_2 \nL85: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getUserName ()Ljava/lang/String; 1 \nL90: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL93: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL96: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL99: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL102: new java/lang/StringBuilder \nL105: dup \nL106: invokespecial Method java/lang/StringBuilder ()V \nL109: ldc 'database product name: ' \nL111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL114: aload_2 \nL115: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDatabaseProductName ()Ljava/lang/String; 1 \nL120: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL123: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL126: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL129: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL132: new java/lang/StringBuilder \nL135: dup \nL136: invokespecial Method java/lang/StringBuilder ()V \nL139: ldc 'database product version: ' \nL141: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL144: aload_2 \nL145: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDatabaseProductVersion ()Ljava/lang/String; 1 \nL150: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL153: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL156: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL159: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL162: new java/lang/StringBuilder \nL165: dup \nL166: invokespecial Method java/lang/StringBuilder ()V \nL169: ldc 'JDBC driver name: ' \nL171: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL174: aload_2 \nL175: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverName ()Ljava/lang/String; 1 \nL180: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL183: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL186: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL189: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL192: new java/lang/StringBuilder \nL195: dup \nL196: invokespecial Method java/lang/StringBuilder ()V \nL199: ldc 'JDBC driver version: ' \nL201: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL204: aload_2 \nL205: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverVersion ()Ljava/lang/String; 1 \nL210: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL213: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL216: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL219: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL222: new java/lang/StringBuilder \nL225: dup \nL226: invokespecial Method java/lang/StringBuilder ()V \nL229: ldc 'JDBC driver major version: ' \nL231: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL234: aload_2 \nL235: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverMajorVersion ()I 1 \nL240: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL243: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL246: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL249: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL252: new java/lang/StringBuilder \nL255: dup \nL256: invokespecial Method java/lang/StringBuilder ()V \nL259: ldc 'JDBC driver minor version: ' \nL261: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL264: aload_2 \nL265: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverMinorVersion ()I 1 \nL270: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL273: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL276: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL279: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL282: new java/lang/StringBuilder \nL285: dup \nL286: invokespecial Method java/lang/StringBuilder ()V \nL289: ldc 'Max number of connections: ' \nL291: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL294: aload_2 \nL295: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getMaxConnections ()I 1 \nL300: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL303: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL306: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL309: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL312: new java/lang/StringBuilder \nL315: dup \nL316: invokespecial Method java/lang/StringBuilder ()V \nL319: ldc 'MaxTableNameLength: ' \nL321: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL324: aload_2 \nL325: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getMaxTableNameLength ()I 1 \nL330: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL333: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL336: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL339: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL342: new java/lang/StringBuilder \nL345: dup \nL346: invokespecial Method java/lang/StringBuilder ()V \nL349: ldc 'MaxColumnsInTable: ' \nL351: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL354: aload_2 \nL355: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getMaxColumnsInTable ()I 1 \nL360: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL363: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL366: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL369: aload_1 \nL370: invokeinterface InterfaceMethod java/sql/Connection close ()V 1 \nL375: return \nL376: \n .linenumbertable \n L0 12 \n L6 13 \n L14 16 \n L20 17 \n L24 18 \n L32 20 \n L39 21 \n L69 22 \n L85 23 \n L96 22 \n L99 24 \n L115 25 \n L126 24 \n L129 26 \n L145 27 \n L156 26 \n L159 28 \n L175 29 \n L186 28 \n L189 30 \n L205 31 \n L216 30 \n L219 32 \n L235 33 \n L246 32 \n L249 34 \n L265 35 \n L276 34 \n L279 36 \n L295 37 \n L306 36 \n L309 38 \n L325 39 \n L336 38 \n L339 40 \n L355 41 \n L366 40 \n L369 44 \n L375 45 \n .end linenumbertable \n .end code \n .exceptions java/sql/SQLException java/lang/ClassNotFoundException \n.end method \n.sourcefile 'TestDatabaseMetaData.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 07:50:05 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TestDatabaseMetaData_ESTest extends TestDatabaseMetaData_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[0];\n try { \n TestDatabaseMetaData.main(stringArray0);\n fail(\"Expecting exception: ClassNotFoundException\");\n \n } catch(ClassNotFoundException e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n TestDatabaseMetaData testDatabaseMetaData0 = new TestDatabaseMetaData();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 07:50:05 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TestDatabaseMetaData_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TestDatabaseMetaData\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpjy9tw00a\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestDatabaseMetaData_ESTest_scaffolding.class.getClassLoader() ,\n \"TestDatabaseMetaData\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestDatabaseMetaData_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TestDatabaseMetaData\"\n );\n }\n}\n", "class_idx": 9} {"class_name": "UserOnline", "java_source": "import java.util.Date;\n\n/** */\npublic class UserOnline {\n\n /** */\n private String id;\n\n private String userId;\n\n private String username;\n\n /** \u7528\u6237\u4e3b\u673a\u5730\u5740 */\n private String host;\n\n /** \u7528\u6237\u767b\u5f55\u65f6\u7cfb\u7edfIP */\n private String systemHost;\n\n /** \u7528\u6237\u6d4f\u89c8\u5668\u7c7b\u578b */\n private String userAgent;\n\n /** \u5728\u7ebf\u72b6\u6001 */\n private String status = \"on_line\";\n\n /** session\u521b\u5efa\u65f6\u95f4 */\n private Date startTimestamp;\n /** session\u6700\u540e\u8bbf\u95ee\u65f6\u95f4 */\n private Date lastAccessTime;\n\n /** \u8d85\u65f6\u65f6\u95f4 */\n private Long timeout;\n\n /** \u5907\u4efd\u7684\u5f53\u524d\u7528\u6237\u4f1a\u8bdd */\n private String onlineSession;\n\n public String getId() {\n return id;\n }\n\n public void setId(String id) {\n this.id = id;\n }\n\n public Date getStartTimestamp() {\n return startTimestamp;\n }\n\n public void setStartTimestamp(Date startTimestamp) {\n this.startTimestamp = startTimestamp;\n }\n\n public Date getLastAccessTime() {\n return lastAccessTime;\n }\n\n public void setLastAccessTime(Date lastAccessTime) {\n this.lastAccessTime = lastAccessTime;\n }\n\n public Long getTimeout() {\n return timeout;\n }\n\n public void setTimeout(Long timeout) {\n this.timeout = timeout;\n }\n\n public String getHost() {\n return host;\n }\n\n public void setHost(String host) {\n this.host = host;\n }\n\n public String getUserId() {\n return userId;\n }\n\n public void setUserId(String userId) {\n this.userId = userId;\n }\n\n public String getUsername() {\n return username;\n }\n\n public void setUsername(String username) {\n this.username = username;\n }\n\n public String getUserAgent() {\n return userAgent;\n }\n\n public void setUserAgent(String userAgent) {\n this.userAgent = userAgent;\n }\n\n public String getStatus() {\n return status;\n }\n\n public void setStatus(String status) {\n this.status = status;\n }\n\n public String getOnlineSession() {\n return onlineSession;\n }\n\n public void setOnlineSession(String onlineSession) {\n this.onlineSession = onlineSession;\n }\n\n public String getSystemHost() {\n return systemHost;\n }\n\n public void setSystemHost(String systemHost) {\n this.systemHost = systemHost;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UserOnline \n.super java/lang/Object \n.field private id Ljava/lang/String; \n.field private userId Ljava/lang/String; \n.field private username Ljava/lang/String; \n.field private host Ljava/lang/String; \n.field private systemHost Ljava/lang/String; \n.field private userAgent Ljava/lang/String; \n.field private status Ljava/lang/String; \n.field private startTimestamp Ljava/util/Date; \n.field private lastAccessTime Ljava/util/Date; \n.field private timeout Ljava/lang/Long; \n.field private onlineSession Ljava/lang/String; \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: ldc 'on_line' \nL7: putfield Field UserOnline status Ljava/lang/String; \nL10: return \nL11: \n .linenumbertable \n L0 9 \n L4 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline id Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline id Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 64 \n L5 65 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStartTimestamp : ()Ljava/util/Date; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline startTimestamp Ljava/util/Date; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setStartTimestamp : (Ljava/util/Date;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline startTimestamp Ljava/util/Date; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLastAccessTime : ()Ljava/util/Date; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline lastAccessTime Ljava/util/Date; \nL4: areturn \nL5: \n .linenumbertable \n L0 76 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLastAccessTime : (Ljava/util/Date;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline lastAccessTime Ljava/util/Date; \nL5: return \nL6: \n .linenumbertable \n L0 80 \n L5 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTimeout : ()Ljava/lang/Long; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline timeout Ljava/lang/Long; \nL4: areturn \nL5: \n .linenumbertable \n L0 84 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTimeout : (Ljava/lang/Long;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline timeout Ljava/lang/Long; \nL5: return \nL6: \n .linenumbertable \n L0 88 \n L5 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public getHost : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline host Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 92 \n .end linenumbertable \n .end code \n.end method \n\n.method public setHost : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline host Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 96 \n L5 97 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUserId : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline userId Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 100 \n .end linenumbertable \n .end code \n.end method \n\n.method public setUserId : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline userId Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 104 \n L5 105 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUsername : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline username Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 108 \n .end linenumbertable \n .end code \n.end method \n\n.method public setUsername : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline username Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 112 \n L5 113 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUserAgent : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline userAgent Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 116 \n .end linenumbertable \n .end code \n.end method \n\n.method public setUserAgent : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline userAgent Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 120 \n L5 121 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStatus : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline status Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 124 \n .end linenumbertable \n .end code \n.end method \n\n.method public setStatus : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline status Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 128 \n L5 129 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOnlineSession : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline onlineSession Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 132 \n .end linenumbertable \n .end code \n.end method \n\n.method public setOnlineSession : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline onlineSession Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 136 \n L5 137 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSystemHost : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UserOnline systemHost Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 141 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSystemHost : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UserOnline systemHost Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 145 \n L5 146 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UserOnline.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 18:33:10 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockDate;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UserOnline_ESTest extends UserOnline_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n UserOnline userOnline0 = new UserOnline();\n userOnline0.setUsername(\"JIG`ByoP49G : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public newThread : (Ljava/lang/Runnable;)Ljava/lang/Thread; \n .code stack 2 locals 3 \nL0: invokestatic Method java/util/concurrent/Executors defaultThreadFactory ()Ljava/util/concurrent/ThreadFactory; \nL3: aload_1 \nL4: invokeinterface InterfaceMethod java/util/concurrent/ThreadFactory newThread (Ljava/lang/Runnable;)Ljava/lang/Thread; 2 \nL9: astore_2 \nL10: aload_2 \nL11: iconst_1 \nL12: invokevirtual Method java/lang/Thread setDaemon (Z)V \nL15: aload_2 \nL16: areturn \nL17: \n .linenumbertable \n L0 10 \n L10 11 \n L15 12 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DaemonThreadFactory.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 06:57:15 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.shaded.org.mockito.Mockito.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.ViolatedAssumptionAnswer;\nimport org.evosuite.runtime.mock.java.lang.MockThread;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DaemonThreadFactory_ESTest extends DaemonThreadFactory_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DaemonThreadFactory daemonThreadFactory0 = new DaemonThreadFactory();\n ThreadGroup threadGroup0 = mock(ThreadGroup.class, new ViolatedAssumptionAnswer());\n MockThread mockThread0 = new MockThread(threadGroup0, (Runnable) null, \"S`hs7\", 0L);\n Thread thread0 = daemonThreadFactory0.newThread(mockThread0);\n assertTrue(thread0.isDaemon());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 06:57:15 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\nimport static org.evosuite.shaded.org.mockito.Mockito.*;\n@EvoSuiteClassExclude\npublic class DaemonThreadFactory_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DaemonThreadFactory\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n try { initMocksToAvoidTimeoutsInTheTests(); } catch(ClassNotFoundException e) {} \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp7tawj2mz\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DaemonThreadFactory_ESTest_scaffolding.class.getClassLoader() ,\n \"DaemonThreadFactory\"\n );\n } \n private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { \n mock(Class.forName(\"java.lang.ThreadGroup\", false, DaemonThreadFactory_ESTest_scaffolding.class.getClassLoader()));\n }\n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DaemonThreadFactory_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DaemonThreadFactory\"\n );\n }\n}\n", "class_idx": 11} {"class_name": "Coordinate", "java_source": "/*\n * Copyright (C) 2000 - 2016 Silverpeas\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * As a special exception to the terms and conditions of version 3.0 of\n * the GPL, you may redistribute this Program in connection with Free/Libre\n * Open Source Software (\"FLOSS\") applications as described in Silverpeas's\n * FLOSS exception. You should have received a copy of the text describing\n * the FLOSS exception, and it is also available here:\n * \"http://www.silverpeas.org/docs/core/legal/floss_exception.html\"\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see .\n */\n\nimport java.io.Serializable;\nimport java.util.Collection;\n\n/**\n * Class declaration\n *\n * @author\n * @version %I%, %G%\n */\npublic class Coordinate implements Serializable {\n\n private int coordinateId;\n private Collection coordinatePoints;\n\n /** Empty Constructor needed for mapping Castor */\n public Coordinate() {}\n\n /**\n * Constructor declaration\n *\n * @param coordinateId\n * @param coordinatePoints\n * @see\n */\n public Coordinate(int coordinateId, Collection coordinatePoints) {\n this.coordinateId = coordinateId;\n this.coordinatePoints = coordinatePoints;\n }\n\n /**\n * Method declaration\n *\n * @return\n * @see\n */\n public int getCoordinateId() {\n return this.coordinateId;\n }\n\n /**\n * Method declaration\n *\n * @return\n * @see\n */\n public Collection getCoordinatePoints() {\n return this.coordinatePoints;\n }\n\n /**\n * Method declaration\n *\n * @param coordinateId\n * @see\n */\n public void setCoordinateId(int coordinateId) {\n this.coordinateId = coordinateId;\n }\n\n /**\n * Method declaration\n *\n * @param coordinatePoints\n * @see\n */\n public void setCoordinatePoints(Collection coordinatePoints) {\n this.coordinatePoints = coordinatePoints;\n }\n\n /**\n * Method declaration\n *\n * @return\n * @see\n */\n @Override\n public String toString() {\n StringBuilder result = new StringBuilder(\"Coordinate {\\n\");\n result.append(\" getCoordinateId() = \").append(getCoordinateId()).append(\"\\n\");\n result\n .append(\" getCoordinatePoints() = \")\n .append(getCoordinatePoints().toString())\n .append(\"\\n\");\n result.append(\"}\");\n return result.toString();\n }\n\n @Override\n public int hashCode() {\n int hash = 7;\n hash = 97 * hash + this.coordinateId;\n hash = 97 * hash + (this.coordinatePoints != null ? this.coordinatePoints.hashCode() : 0);\n return hash;\n }\n\n @Override\n public boolean equals(Object obj) {\n if (obj == null) {\n return false;\n }\n if (getClass() != obj.getClass()) {\n return false;\n }\n final Coordinate other = (Coordinate) obj;\n if (this.coordinateId != other.coordinateId) {\n return false;\n }\n if (this.coordinatePoints != other.coordinatePoints\n && (this.coordinatePoints == null\n || !this.coordinatePoints.equals(other.coordinatePoints))) {\n return false;\n }\n return true;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Coordinate \n.super java/lang/Object \n.implements java/io/Serializable \n.field private coordinateId I \n.field private coordinatePoints Ljava/util/Collection; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 43 \n L4 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (ILjava/util/Collection;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field Coordinate coordinateId I \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL14: return \nL15: \n .linenumbertable \n L0 52 \n L4 53 \n L9 54 \n L14 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCoordinateId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Coordinate coordinateId I \nL4: ireturn \nL5: \n .linenumbertable \n L0 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCoordinatePoints : ()Ljava/util/Collection; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL4: areturn \nL5: \n .linenumbertable \n L0 72 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCoordinateId : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Coordinate coordinateId I \nL5: return \nL6: \n .linenumbertable \n L0 81 \n L5 82 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCoordinatePoints : (Ljava/util/Collection;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL5: return \nL6: \n .linenumbertable \n L0 90 \n L5 91 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 3 locals 2 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: ldc 'Coordinate {\\n' \nL6: invokespecial Method java/lang/StringBuilder (Ljava/lang/String;)V \nL9: astore_1 \nL10: aload_1 \nL11: ldc ' getCoordinateId() = ' \nL13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL16: aload_0 \nL17: invokevirtual Method Coordinate getCoordinateId ()I \nL20: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL23: ldc '\\n' \nL25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL28: pop \nL29: aload_1 \nL30: ldc ' getCoordinatePoints() = ' \nL32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL35: aload_0 \nL36: invokevirtual Method Coordinate getCoordinatePoints ()Ljava/util/Collection; \nL39: invokevirtual Method java/lang/Object toString ()Ljava/lang/String; \nL42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL45: ldc '\\n' \nL47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL50: pop \nL51: aload_1 \nL52: ldc '}' \nL54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL57: pop \nL58: aload_1 \nL59: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL62: areturn \nL63: \n .linenumbertable \n L0 100 \n L10 101 \n L29 102 \n L51 104 \n L58 105 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 2 \nL0: bipush 7 \nL2: istore_1 \nL3: bipush 97 \nL5: iload_1 \nL6: imul \nL7: aload_0 \nL8: getfield Field Coordinate coordinateId I \nL11: iadd \nL12: istore_1 \nL13: bipush 97 \nL15: iload_1 \nL16: imul \nL17: aload_0 \nL18: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL21: ifnull L36 \nL24: aload_0 \nL25: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL28: invokeinterface InterfaceMethod java/util/Collection hashCode ()I 1 \nL33: goto L37 \n\n .stack full \n locals Object Coordinate Integer \n stack Integer \n .end stack \nL36: iconst_0 \n\n .stack full \n locals Object Coordinate Integer \n stack Integer Integer \n .end stack \nL37: iadd \nL38: istore_1 \nL39: iload_1 \nL40: ireturn \nL41: \n .linenumbertable \n L0 110 \n L3 111 \n L13 112 \n L39 113 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_1 \nL1: ifnonnull L6 \nL4: iconst_0 \nL5: ireturn \n\n .stack same \nL6: aload_0 \nL7: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL10: aload_1 \nL11: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL14: if_acmpeq L19 \nL17: iconst_0 \nL18: ireturn \n\n .stack same \nL19: aload_1 \nL20: checkcast Coordinate \nL23: astore_2 \nL24: aload_0 \nL25: getfield Field Coordinate coordinateId I \nL28: aload_2 \nL29: getfield Field Coordinate coordinateId I \nL32: if_icmpeq L37 \nL35: iconst_0 \nL36: ireturn \n\n .stack append Object Coordinate \nL37: aload_0 \nL38: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL41: aload_2 \nL42: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL45: if_acmpeq L73 \nL48: aload_0 \nL49: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL52: ifnull L71 \nL55: aload_0 \nL56: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL59: aload_2 \nL60: getfield Field Coordinate coordinatePoints Ljava/util/Collection; \nL63: invokeinterface InterfaceMethod java/util/Collection equals (Ljava/lang/Object;)Z 2 \nL68: ifne L73 \n\n .stack same \nL71: iconst_0 \nL72: ireturn \n\n .stack same \nL73: iconst_1 \nL74: ireturn \nL75: \n .linenumbertable \n L0 118 \n L4 119 \n L6 121 \n L17 122 \n L19 124 \n L24 125 \n L35 126 \n L37 128 \n L63 129 \n L71 130 \n L73 132 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Coordinate.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 11:28:43 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.Collection;\nimport java.util.LinkedList;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Coordinate_ESTest extends Coordinate_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Coordinate coordinate0 = new Coordinate(0, linkedList0);\n Coordinate coordinate1 = new Coordinate(56011, linkedList0);\n boolean boolean0 = coordinate0.equals(coordinate1);\n assertFalse(boolean0);\n assertEquals(56011, coordinate1.getCoordinateId());\n assertFalse(coordinate1.equals((Object)coordinate0));\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n Collection collection0 = coordinate0.getCoordinatePoints();\n assertNull(collection0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Coordinate coordinate0 = new Coordinate(0, linkedList0);\n coordinate0.setCoordinateId(23975);\n int int0 = coordinate0.getCoordinateId();\n assertEquals(23975, int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Coordinate coordinate0 = new Coordinate((-1), linkedList0);\n int int0 = coordinate0.getCoordinateId();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n int int0 = coordinate0.getCoordinateId();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n LinkedList linkedList0 = new LinkedList();\n coordinate0.setCoordinatePoints(linkedList0);\n Coordinate coordinate1 = new Coordinate(0, (Collection) null);\n boolean boolean0 = coordinate0.equals(coordinate1);\n assertEquals(0, coordinate1.getCoordinateId());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n LinkedList linkedList0 = new LinkedList();\n Coordinate coordinate1 = new Coordinate(0, linkedList0);\n boolean boolean0 = coordinate0.equals(coordinate1);\n assertEquals(0, coordinate1.getCoordinateId());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Coordinate coordinate0 = new Coordinate(0, linkedList0);\n coordinate0.setCoordinateId(23975);\n Collection collection0 = coordinate0.getCoordinatePoints();\n Coordinate coordinate1 = new Coordinate(0, collection0);\n boolean boolean0 = coordinate0.equals(coordinate1);\n assertEquals(23975, coordinate0.getCoordinateId());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n Object object0 = new Object();\n boolean boolean0 = coordinate0.equals(object0);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n boolean boolean0 = coordinate0.equals((Object) null);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n boolean boolean0 = coordinate0.equals(coordinate0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Coordinate coordinate0 = new Coordinate((-1), linkedList0);\n coordinate0.hashCode();\n assertEquals((-1), coordinate0.getCoordinateId());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n coordinate0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n // Undeclared exception!\n try { \n coordinate0.toString();\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"org.evosuite.runtime.System\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Coordinate coordinate0 = new Coordinate();\n LinkedList linkedList0 = new LinkedList();\n coordinate0.setCoordinatePoints(linkedList0);\n coordinate0.toString();\n assertEquals(0, coordinate0.getCoordinateId());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 11:28:43 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Coordinate_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Coordinate\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpwes352nx\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Coordinate_ESTest_scaffolding.class.getClassLoader() ,\n \"Coordinate\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Coordinate_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Coordinate\"\n );\n }\n}\n", "class_idx": 12} {"class_name": "Problem1403", "java_source": "import java.util.ArrayList;\nimport java.util.Arrays;\nimport java.util.List;\n\n/** https://leetcode.com/problems/minimum-subsequence-in-non-increasing-order/ */\npublic class Problem1403 {\n public List minSubsequence(int[] nums) {\n Arrays.sort(nums);\n int sum = 0;\n for (int num : nums) {\n sum += num;\n }\n List answer = new ArrayList<>();\n int tmp = 0;\n for (int i = nums.length - 1; i >= 0; i--) {\n tmp += nums[i];\n answer.add(nums[i]);\n if (sum - tmp < tmp) {\n break;\n }\n }\n return answer;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Problem1403 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public minSubsequence : ([I)Ljava/util/List; \n .code stack 3 locals 7 \nL0: aload_1 \nL1: invokestatic Method java/util/Arrays sort ([I)V \nL4: iconst_0 \nL5: istore_2 \nL6: aload_1 \nL7: astore_3 \nL8: aload_3 \nL9: arraylength \nL10: istore 4 \nL12: iconst_0 \nL13: istore 5 \n\n .stack full \n locals Object Problem1403 Object [I Integer Object [I Integer Integer \n stack \n .end stack \nL15: iload 5 \nL17: iload 4 \nL19: if_icmpge L39 \nL22: aload_3 \nL23: iload 5 \nL25: iaload \nL26: istore 6 \nL28: iload_2 \nL29: iload 6 \nL31: iadd \nL32: istore_2 \nL33: iinc 5 1 \nL36: goto L15 \n\n .stack chop 3 \nL39: new java/util/ArrayList \nL42: dup \nL43: invokespecial Method java/util/ArrayList ()V \nL46: astore_3 \nL47: iconst_0 \nL48: istore 4 \nL50: aload_1 \nL51: arraylength \nL52: iconst_1 \nL53: isub \nL54: istore 5 \n\n .stack append Object java/util/List Integer Integer \nL56: iload 5 \nL58: iflt L102 \nL61: iload 4 \nL63: aload_1 \nL64: iload 5 \nL66: iaload \nL67: iadd \nL68: istore 4 \nL70: aload_3 \nL71: aload_1 \nL72: iload 5 \nL74: iaload \nL75: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL78: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL83: pop \nL84: iload_2 \nL85: iload 4 \nL87: isub \nL88: iload 4 \nL90: if_icmpge L96 \nL93: goto L102 \n\n .stack same \nL96: iinc 5 -1 \nL99: goto L56 \n\n .stack chop 1 \nL102: aload_3 \nL103: areturn \nL104: \n .linenumbertable \n L0 12 \n L4 13 \n L6 14 \n L28 15 \n L33 14 \n L39 17 \n L47 18 \n L50 19 \n L61 20 \n L70 21 \n L84 22 \n L93 23 \n L96 19 \n L102 26 \n .end linenumbertable \n .end code \n .signature ([I)Ljava/util/List; \n.end method \n.sourcefile 'Problem1403.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 23:53:42 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.List;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Problem1403_ESTest extends Problem1403_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Problem1403 problem1403_0 = new Problem1403();\n int[] intArray0 = new int[1];\n intArray0[0] = (-28630);\n List list0 = problem1403_0.minSubsequence(intArray0);\n assertTrue(list0.contains((-28630)));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Problem1403 problem1403_0 = new Problem1403();\n int[] intArray0 = new int[5];\n intArray0[2] = 1;\n intArray0[4] = (-22731);\n List list0 = problem1403_0.minSubsequence(intArray0);\n assertEquals(1, list0.size());\n assertTrue(list0.contains(1));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Problem1403 problem1403_0 = new Problem1403();\n int[] intArray0 = new int[5];\n intArray0[1] = (-1);\n List list0 = problem1403_0.minSubsequence(intArray0);\n assertEquals(1, list0.size());\n \n int[] intArray1 = new int[0];\n List list1 = problem1403_0.minSubsequence(intArray1);\n assertFalse(list1.equals((Object)list0));\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Problem1403 problem1403_0 = new Problem1403();\n int[] intArray0 = new int[5];\n intArray0[1] = (-1);\n int[] intArray1 = new int[2];\n List list0 = problem1403_0.minSubsequence(intArray0);\n assertEquals(1, list0.size());\n \n List list1 = problem1403_0.minSubsequence(intArray1);\n assertEquals(2, list1.size());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Problem1403 problem1403_0 = new Problem1403();\n int[] intArray0 = new int[2];\n List list0 = problem1403_0.minSubsequence(intArray0);\n assertEquals(2, list0.size());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Problem1403 problem1403_0 = new Problem1403();\n int[] intArray0 = new int[0];\n List list0 = problem1403_0.minSubsequence(intArray0);\n assertEquals(0, list0.size());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 23:53:42 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Problem1403_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Problem1403\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp4t5encdq\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Problem1403_ESTest_scaffolding.class.getClassLoader() ,\n \"Problem1403\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Problem1403_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Problem1403\"\n );\n }\n}\n", "class_idx": 13} {"class_name": "ALogUtil", "java_source": "public class ALogUtil {\n\n public static final boolean log = false;\n}\n", "jasm_code": ".version 52 0 \n.class public super ALogUtil \n.super java/lang/Object \n.field public static final log Z = 0 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ALogUtil.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 17:22:34 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ALogUtil_ESTest extends ALogUtil_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ALogUtil aLogUtil0 = new ALogUtil();\n assertFalse(ALogUtil.log);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 17:22:34 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ALogUtil_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ALogUtil\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfzxaqydm\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ALogUtil_ESTest_scaffolding.class.getClassLoader() ,\n \"ALogUtil\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ALogUtil_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ALogUtil\"\n );\n }\n}\n", "class_idx": 14} {"class_name": "OModifiableInteger", "java_source": "/*\n * Copyright 2010-2012 Luca Garulli (l.garulli--at--orientechnologies.com)\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * Modifiable Integer. Like java.lang.Integer but the value is modifiable.\n *\n * @author Luca Garulli (l.garulli--at--orientechnologies.com)\n */\n@SuppressWarnings(\"serial\")\npublic class OModifiableInteger extends Number implements Comparable {\n public int value;\n\n public OModifiableInteger() {\n value = 0;\n }\n\n public OModifiableInteger(final int iValue) {\n value = iValue;\n }\n\n public void setValue(final int iValue) {\n value = iValue;\n }\n\n public int getValue() {\n return value;\n }\n\n public void increment() {\n value++;\n }\n\n public void increment(final int iValue) {\n value += iValue;\n }\n\n public void decrement() {\n value--;\n }\n\n public void decrement(final int iValue) {\n value -= iValue;\n }\n\n public int compareTo(final OModifiableInteger anotherInteger) {\n int thisVal = value;\n int anotherVal = anotherInteger.value;\n\n return (thisVal < anotherVal) ? -1 : ((thisVal == anotherVal) ? 0 : 1);\n }\n\n @Override\n public byte byteValue() {\n return (byte) value;\n }\n\n @Override\n public short shortValue() {\n return (short) value;\n }\n\n @Override\n public float floatValue() {\n return value;\n }\n\n @Override\n public double doubleValue() {\n return value;\n }\n\n @Override\n public int intValue() {\n return value;\n }\n\n @Override\n public long longValue() {\n return value;\n }\n\n public Integer toInteger() {\n return Integer.valueOf(this.value);\n }\n\n @Override\n public boolean equals(final Object o) {\n if (o instanceof OModifiableInteger) {\n return value == ((OModifiableInteger) o).value;\n }\n return false;\n }\n\n @Override\n public int hashCode() {\n return value;\n }\n\n @Override\n public String toString() {\n return String.valueOf(this.value);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super OModifiableInteger \n.super java/lang/Number \n.implements java/lang/Comparable \n.field public value I \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Number ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field OModifiableInteger value I \nL9: return \nL10: \n .linenumbertable \n L0 28 \n L4 29 \n L9 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Number ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field OModifiableInteger value I \nL9: return \nL10: \n .linenumbertable \n L0 32 \n L4 33 \n L9 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public setValue : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field OModifiableInteger value I \nL5: return \nL6: \n .linenumbertable \n L0 37 \n L5 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public getValue : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: ireturn \nL5: \n .linenumbertable \n L0 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public increment : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: dup \nL2: getfield Field OModifiableInteger value I \nL5: iconst_1 \nL6: iadd \nL7: putfield Field OModifiableInteger value I \nL10: return \nL11: \n .linenumbertable \n L0 45 \n L10 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public increment : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: dup \nL2: getfield Field OModifiableInteger value I \nL5: iload_1 \nL6: iadd \nL7: putfield Field OModifiableInteger value I \nL10: return \nL11: \n .linenumbertable \n L0 49 \n L10 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public decrement : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: dup \nL2: getfield Field OModifiableInteger value I \nL5: iconst_1 \nL6: isub \nL7: putfield Field OModifiableInteger value I \nL10: return \nL11: \n .linenumbertable \n L0 53 \n L10 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public decrement : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: dup \nL2: getfield Field OModifiableInteger value I \nL5: iload_1 \nL6: isub \nL7: putfield Field OModifiableInteger value I \nL10: return \nL11: \n .linenumbertable \n L0 57 \n L10 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public compareTo : (LOModifiableInteger;)I \n .code stack 2 locals 4 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: istore_2 \nL5: aload_1 \nL6: getfield Field OModifiableInteger value I \nL9: istore_3 \nL10: iload_2 \nL11: iload_3 \nL12: if_icmpge L19 \nL15: iconst_m1 \nL16: goto L29 \n\n .stack append Integer Integer \nL19: iload_2 \nL20: iload_3 \nL21: if_icmpne L28 \nL24: iconst_0 \nL25: goto L29 \n\n .stack same \nL28: iconst_1 \n\n .stack stack_1 Integer \nL29: ireturn \nL30: \n .linenumbertable \n L0 61 \n L5 62 \n L10 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public byteValue : ()B \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: i2b \nL5: ireturn \nL6: \n .linenumbertable \n L0 69 \n .end linenumbertable \n .end code \n.end method \n\n.method public shortValue : ()S \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: i2s \nL5: ireturn \nL6: \n .linenumbertable \n L0 74 \n .end linenumbertable \n .end code \n.end method \n\n.method public floatValue : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: i2f \nL5: freturn \nL6: \n .linenumbertable \n L0 79 \n .end linenumbertable \n .end code \n.end method \n\n.method public doubleValue : ()D \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: i2d \nL5: dreturn \nL6: \n .linenumbertable \n L0 84 \n .end linenumbertable \n .end code \n.end method \n\n.method public intValue : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: ireturn \nL5: \n .linenumbertable \n L0 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public longValue : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: i2l \nL5: lreturn \nL6: \n .linenumbertable \n L0 94 \n .end linenumbertable \n .end code \n.end method \n\n.method public toInteger : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL7: areturn \nL8: \n .linenumbertable \n L0 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 2 \nL0: aload_1 \nL1: instanceof OModifiableInteger \nL4: ifeq L27 \nL7: aload_0 \nL8: getfield Field OModifiableInteger value I \nL11: aload_1 \nL12: checkcast OModifiableInteger \nL15: getfield Field OModifiableInteger value I \nL18: if_icmpne L25 \nL21: iconst_1 \nL22: goto L26 \n\n .stack same \nL25: iconst_0 \n\n .stack stack_1 Integer \nL26: ireturn \n\n .stack same \nL27: iconst_0 \nL28: ireturn \nL29: \n .linenumbertable \n L0 103 \n L7 104 \n L27 106 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: ireturn \nL5: \n .linenumbertable \n L0 111 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OModifiableInteger value I \nL4: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL7: areturn \nL8: \n .linenumbertable \n L0 116 \n .end linenumbertable \n .end code \n.end method \n\n.method public bridge synthetic compareTo : (Ljava/lang/Object;)I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: checkcast OModifiableInteger \nL5: invokevirtual Method OModifiableInteger compareTo (LOModifiableInteger;)I \nL8: ireturn \nL9: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n.signature Ljava/lang/Number;Ljava/lang/Comparable; \n.sourcefile 'OModifiableInteger.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 17:39:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class OModifiableInteger_ESTest extends OModifiableInteger_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.decrement(3101);\n OModifiableInteger oModifiableInteger1 = new OModifiableInteger();\n boolean boolean0 = oModifiableInteger0.equals(oModifiableInteger1);\n assertEquals((-3101), oModifiableInteger0.value);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-59764));\n oModifiableInteger0.setValue(34055);\n oModifiableInteger0.toInteger();\n assertEquals(34055, oModifiableInteger0.value);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-59764));\n oModifiableInteger0.increment((-59764));\n oModifiableInteger0.decrement((-59764));\n oModifiableInteger0.increment((-59764));\n oModifiableInteger0.increment((-59764));\n oModifiableInteger0.increment((-59764));\n Integer integer0 = oModifiableInteger0.toInteger();\n assertEquals((-239056), (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.setValue((-39415));\n short short0 = oModifiableInteger0.shortValue();\n assertEquals((-39415), oModifiableInteger0.value);\n assertEquals((short)26121, short0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-1));\n short short0 = oModifiableInteger0.shortValue();\n assertEquals((short) (-1), short0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n assertEquals(0, oModifiableInteger0.value);\n \n oModifiableInteger0.setValue(1);\n long long0 = oModifiableInteger0.longValue();\n assertEquals(1L, long0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.decrement();\n long long0 = oModifiableInteger0.longValue();\n assertEquals((-1), oModifiableInteger0.value);\n assertEquals((-1L), long0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.decrement((-4371));\n int int0 = oModifiableInteger0.intValue();\n assertEquals(4371, oModifiableInteger0.value);\n assertEquals(4371, int0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.increment((-88739));\n int int0 = oModifiableInteger0.intValue();\n assertEquals((-88739), oModifiableInteger0.value);\n assertEquals((-88739), int0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger((-59764));\n oModifiableInteger0.setValue(34055);\n int int0 = oModifiableInteger0.getValue();\n assertEquals(34055, oModifiableInteger0.value);\n assertEquals(34055, int0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.increment((-55129));\n int int0 = oModifiableInteger0.getValue();\n assertEquals((-55129), oModifiableInteger0.value);\n assertEquals((-55129), int0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.decrement();\n float float0 = oModifiableInteger0.floatValue();\n assertEquals((-1), oModifiableInteger0.value);\n assertEquals((-1.0F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n assertEquals(0, oModifiableInteger0.value);\n \n oModifiableInteger0.setValue(1);\n double double0 = oModifiableInteger0.doubleValue();\n assertEquals(1.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.decrement();\n double double0 = oModifiableInteger0.doubleValue();\n assertEquals((-1), oModifiableInteger0.value);\n assertEquals((-1.0), double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.setValue((-39415));\n byte byte0 = oModifiableInteger0.byteValue();\n assertEquals((-39415), oModifiableInteger0.value);\n assertEquals((byte)9, byte0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.increment((-55129));\n byte byte0 = oModifiableInteger0.byteValue();\n assertEquals((-55129), oModifiableInteger0.value);\n assertEquals((byte) (-89), byte0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n boolean boolean0 = oModifiableInteger0.equals(oModifiableInteger0);\n assertEquals(0, oModifiableInteger0.value);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n boolean boolean0 = oModifiableInteger0.equals(\";ez{y%I=P\");\n assertFalse(boolean0);\n assertEquals(0, oModifiableInteger0.value);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.decrement((-4371));\n OModifiableInteger oModifiableInteger1 = new OModifiableInteger();\n int int0 = oModifiableInteger0.compareTo(oModifiableInteger1);\n assertEquals(4371, oModifiableInteger0.value);\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.decrement();\n OModifiableInteger oModifiableInteger1 = new OModifiableInteger();\n int int0 = oModifiableInteger0.compareTo(oModifiableInteger1);\n assertEquals((-1), oModifiableInteger0.value);\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n int int0 = oModifiableInteger0.compareTo(oModifiableInteger0);\n assertEquals(0, oModifiableInteger0.value);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.increment();\n OModifiableInteger oModifiableInteger1 = new OModifiableInteger();\n boolean boolean0 = oModifiableInteger0.equals(oModifiableInteger1);\n assertEquals(1, oModifiableInteger0.value);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n byte byte0 = oModifiableInteger0.byteValue();\n assertEquals((byte)0, byte0);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n Integer integer0 = oModifiableInteger0.toInteger();\n assertEquals(0, (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger(1);\n oModifiableInteger0.decrement();\n float float0 = oModifiableInteger0.floatValue();\n assertEquals(0, oModifiableInteger0.value);\n assertEquals(0.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n short short0 = oModifiableInteger0.shortValue();\n assertEquals((short)0, short0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n long long0 = oModifiableInteger0.longValue();\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.increment((-1));\n oModifiableInteger0.toInteger();\n assertEquals((-1), oModifiableInteger0.value);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n oModifiableInteger0.hashCode();\n assertEquals(0, oModifiableInteger0.value);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n String string0 = oModifiableInteger0.toString();\n assertEquals(\"0\", string0);\n }\n\n @Test(timeout = 4000)\n public void test30() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n int int0 = oModifiableInteger0.getValue();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test31() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n double double0 = oModifiableInteger0.doubleValue();\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test32() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger();\n int int0 = oModifiableInteger0.intValue();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test33() throws Throwable {\n OModifiableInteger oModifiableInteger0 = new OModifiableInteger(1);\n float float0 = oModifiableInteger0.floatValue();\n assertEquals(1.0F, float0, 0.01F);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 17:39:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class OModifiableInteger_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"OModifiableInteger\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp64x52mmk\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OModifiableInteger_ESTest_scaffolding.class.getClassLoader() ,\n \"OModifiableInteger\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OModifiableInteger_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"OModifiableInteger\"\n );\n }\n}\n", "class_idx": 15} {"class_name": "AuthoritiesConstants", "java_source": "/** Constants for Spring Security authorities. */\npublic final class AuthoritiesConstants {\n\n public static final String ADMIN = \"ROLE_ADMIN\";\n\n public static final String USER = \"ROLE_USER\";\n\n public static final String ANONYMOUS = \"ROLE_ANONYMOUS\";\n\n private AuthoritiesConstants() {}\n}\n", "jasm_code": ".version 52 0 \n.class public final super AuthoritiesConstants \n.super java/lang/Object \n.field public static final ADMIN Ljava/lang/String; = 'ROLE_ADMIN' \n.field public static final USER Ljava/lang/String; = 'ROLE_USER' \n.field public static final ANONYMOUS Ljava/lang/String; = 'ROLE_ANONYMOUS' \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 14 \n L4 15 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'AuthoritiesConstants.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:38:46 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class AuthoritiesConstants_ESTest extends AuthoritiesConstants_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 22:38:46 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class AuthoritiesConstants_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"AuthoritiesConstants\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AuthoritiesConstants_ESTest_scaffolding.class.getClassLoader() ,\n \"AuthoritiesConstants\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AuthoritiesConstants_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"AuthoritiesConstants\"\n );\n }\n}\n", "class_idx": 16} {"class_name": "FunctorException", "java_source": "// GenericsNote: No conversion needed.\n/*\n * Copyright 2001-2004 The Apache Software Foundation\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.io.PrintStream;\nimport java.io.PrintWriter;\n\n/**\n * Runtime exception thrown from functors. If required, a root cause error can be wrapped within\n * this one.\n *\n * @author Matt Hall, John Watkinson, Stephen Colebourne\n * @version $Revision: 1.1 $ $Date: 2005/10/11 17:05:19 $\n * @since Commons Collections 3.0\n */\npublic class FunctorException extends RuntimeException {\n\n /** Does JDK support nested exceptions */\n private static final boolean JDK_SUPPORTS_NESTED;\n\n static {\n boolean flag = false;\n try {\n Throwable.class.getDeclaredMethod(\"getCause\", new Class[0]);\n flag = true;\n } catch (NoSuchMethodException ex) {\n flag = false;\n }\n JDK_SUPPORTS_NESTED = flag;\n }\n\n /** Root cause of the exception */\n private final Throwable rootCause;\n\n /** Constructs a new FunctorException without specified detail message. */\n public FunctorException() {\n super();\n this.rootCause = null;\n }\n\n /**\n * Constructs a new FunctorException with specified detail message.\n *\n * @param msg the error message.\n */\n public FunctorException(String msg) {\n super(msg);\n this.rootCause = null;\n }\n\n /**\n * Constructs a new FunctorException with specified nested Throwable\n * root cause.\n *\n * @param rootCause the exception or error that caused this exception to be thrown.\n */\n public FunctorException(Throwable rootCause) {\n super((rootCause == null ? null : rootCause.getMessage()));\n this.rootCause = rootCause;\n }\n\n /**\n * Constructs a new FunctorException with specified detail message and nested \n * Throwable root cause.\n *\n * @param msg the error message.\n * @param rootCause the exception or error that caused this exception to be thrown.\n */\n public FunctorException(String msg, Throwable rootCause) {\n super(msg);\n this.rootCause = rootCause;\n }\n\n /**\n * Gets the cause of this throwable.\n *\n * @return the cause of this throwable, or null\n */\n public Throwable getCause() {\n return rootCause;\n }\n\n /** Prints the stack trace of this exception to the standard error stream. */\n public void printStackTrace() {\n printStackTrace(System.err);\n }\n\n /**\n * Prints the stack trace of this exception to the specified stream.\n *\n * @param out the PrintStream to use for output\n */\n public void printStackTrace(PrintStream out) {\n synchronized (out) {\n PrintWriter pw = new PrintWriter(out, false);\n printStackTrace(pw);\n // Flush the PrintWriter before it's GC'ed.\n pw.flush();\n }\n }\n\n /**\n * Prints the stack trace of this exception to the specified writer.\n *\n * @param out the PrintWriter to use for output\n */\n public void printStackTrace(PrintWriter out) {\n synchronized (out) {\n super.printStackTrace(out);\n if (rootCause != null && !JDK_SUPPORTS_NESTED) {\n out.print(\"Caused by: \");\n rootCause.printStackTrace(out);\n }\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super FunctorException \n.super java/lang/RuntimeException \n.field private static final JDK_SUPPORTS_NESTED Z \n.field private final rootCause Ljava/lang/Throwable; \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: aload_0 \nL5: aconst_null \nL6: putfield Field FunctorException rootCause Ljava/lang/Throwable; \nL9: return \nL10: \n .linenumbertable \n L0 58 \n L4 59 \n L9 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: aload_0 \nL6: aconst_null \nL7: putfield Field FunctorException rootCause Ljava/lang/Throwable; \nL10: return \nL11: \n .linenumbertable \n L0 69 \n L5 70 \n L10 71 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: ifnonnull L9 \nL5: aconst_null \nL6: goto L13 \n\n .stack stack_1 UninitializedThis \nL9: aload_1 \nL10: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; \n\n .stack full \n locals UninitializedThis Object java/lang/Throwable \n stack UninitializedThis Object java/lang/String \n .end stack \nL13: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL16: aload_0 \nL17: aload_1 \nL18: putfield Field FunctorException rootCause Ljava/lang/Throwable; \nL21: return \nL22: \n .linenumbertable \n L0 81 \n L16 82 \n L21 83 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: aload_0 \nL6: aload_2 \nL7: putfield Field FunctorException rootCause Ljava/lang/Throwable; \nL10: return \nL11: \n .linenumbertable \n L0 94 \n L5 95 \n L10 96 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCause : ()Ljava/lang/Throwable; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field FunctorException rootCause Ljava/lang/Throwable; \nL4: areturn \nL5: \n .linenumbertable \n L0 104 \n .end linenumbertable \n .end code \n.end method \n\n.method public printStackTrace : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getstatic Field java/lang/System err Ljava/io/PrintStream; \nL4: invokevirtual Method FunctorException printStackTrace (Ljava/io/PrintStream;)V \nL7: return \nL8: \n .linenumbertable \n L0 111 \n L7 112 \n .end linenumbertable \n .end code \n.end method \n\n.method public printStackTrace : (Ljava/io/PrintStream;)V \n .code stack 4 locals 5 \nL0: aload_1 \nL1: dup \nL2: astore_2 \nL3: monitorenter \n .catch [0] from L4 to L25 using L28 \nL4: new java/io/PrintWriter \nL7: dup \nL8: aload_1 \nL9: iconst_0 \nL10: invokespecial Method java/io/PrintWriter (Ljava/io/OutputStream;Z)V \nL13: astore_3 \nL14: aload_0 \nL15: aload_3 \nL16: invokevirtual Method FunctorException printStackTrace (Ljava/io/PrintWriter;)V \nL19: aload_3 \nL20: invokevirtual Method java/io/PrintWriter flush ()V \nL23: aload_2 \nL24: monitorexit \nL25: goto L35 \n .catch [0] from L28 to L32 using L28 \n\n .stack full \n locals Object FunctorException Object java/io/PrintStream Object java/lang/Object \n stack Object java/lang/Throwable \n .end stack \nL28: astore 4 \nL30: aload_2 \nL31: monitorexit \nL32: aload 4 \nL34: athrow \n\n .stack chop 1 \nL35: return \nL36: \n .linenumbertable \n L0 120 \n L4 121 \n L14 122 \n L19 124 \n L23 125 \n L35 126 \n .end linenumbertable \n .end code \n.end method \n\n.method public printStackTrace : (Ljava/io/PrintWriter;)V \n .code stack 2 locals 4 \nL0: aload_1 \nL1: dup \nL2: astore_2 \nL3: monitorenter \n .catch [0] from L4 to L38 using L41 \nL4: aload_0 \nL5: aload_1 \nL6: invokespecial Method java/lang/RuntimeException printStackTrace (Ljava/io/PrintWriter;)V \nL9: aload_0 \nL10: getfield Field FunctorException rootCause Ljava/lang/Throwable; \nL13: ifnull L36 \nL16: getstatic Field FunctorException JDK_SUPPORTS_NESTED Z \nL19: ifne L36 \nL22: aload_1 \nL23: ldc 'Caused by: ' \nL25: invokevirtual Method java/io/PrintWriter print (Ljava/lang/String;)V \nL28: aload_0 \nL29: getfield Field FunctorException rootCause Ljava/lang/Throwable; \nL32: aload_1 \nL33: invokevirtual Method java/lang/Throwable printStackTrace (Ljava/io/PrintWriter;)V \n\n .stack append Object java/lang/Object \nL36: aload_2 \nL37: monitorexit \nL38: goto L46 \n .catch [0] from L41 to L44 using L41 \n\n .stack stack_1 Object java/lang/Throwable \nL41: astore_3 \nL42: aload_2 \nL43: monitorexit \nL44: aload_3 \nL45: athrow \n\n .stack chop 1 \nL46: return \nL47: \n .linenumbertable \n L0 134 \n L4 135 \n L9 136 \n L22 137 \n L28 138 \n L36 140 \n L46 141 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 3 locals 2 \nL0: iconst_0 \nL1: istore_0 \n .catch java/lang/NoSuchMethodException from L2 to L16 using L19 \nL2: ldc Class java/lang/Throwable \nL4: ldc 'getCause' \nL6: iconst_0 \nL7: anewarray java/lang/Class \nL10: invokevirtual Method java/lang/Class getDeclaredMethod (Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; \nL13: pop \nL14: iconst_1 \nL15: istore_0 \nL16: goto L22 \n\n .stack full \n locals Integer \n stack Object java/lang/NoSuchMethodException \n .end stack \nL19: astore_1 \nL20: iconst_0 \nL21: istore_0 \n\n .stack same \nL22: iload_0 \nL23: putstatic Field FunctorException JDK_SUPPORTS_NESTED Z \nL26: return \nL27: \n .linenumbertable \n L0 38 \n L2 40 \n L14 41 \n L16 44 \n L19 42 \n L20 43 \n L22 45 \n L26 46 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'FunctorException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 07:34:49 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.io.PrintStream;\nimport java.io.PrintWriter;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.io.MockPrintWriter;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class FunctorException_ESTest extends FunctorException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable();\n FunctorException functorException0 = new FunctorException(mockThrowable0);\n Throwable throwable0 = functorException0.getCause();\n assertNull(throwable0.getMessage());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n FunctorException functorException0 = new FunctorException();\n MockPrintWriter mockPrintWriter0 = new MockPrintWriter(\"LHAKYodF$kEysG\");\n functorException0.printStackTrace((PrintWriter) mockPrintWriter0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n FunctorException functorException0 = new FunctorException();\n FunctorException functorException1 = new FunctorException(functorException0);\n MockPrintWriter mockPrintWriter0 = new MockPrintWriter(\"org.evosuite.runtime.mock.java.lang.MockThrowable\");\n functorException1.printStackTrace((PrintWriter) mockPrintWriter0);\n assertFalse(functorException1.equals((Object)functorException0));\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n FunctorException functorException0 = new FunctorException();\n // Undeclared exception!\n try { \n functorException0.printStackTrace((PrintStream) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"FunctorException\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n FunctorException functorException0 = new FunctorException((Throwable) null);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n FunctorException functorException0 = new FunctorException();\n FunctorException functorException1 = new FunctorException(functorException0);\n functorException1.printStackTrace();\n assertFalse(functorException0.equals((Object)functorException1));\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n FunctorException functorException0 = new FunctorException();\n MockThrowable mockThrowable0 = new MockThrowable(\"w@o;hMKUxs'#(\", functorException0);\n FunctorException functorException1 = new FunctorException(\"w@o;hMKUxs'#(\", mockThrowable0);\n assertFalse(functorException1.equals((Object)functorException0));\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n FunctorException functorException0 = new FunctorException(\"org.evosuite.runtime.mock.java.lang.MockThrowable\");\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n FunctorException functorException0 = new FunctorException();\n Throwable throwable0 = functorException0.getCause();\n assertNull(throwable0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 07:34:49 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class FunctorException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"FunctorException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmptxdvjjzo\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FunctorException_ESTest_scaffolding.class.getClassLoader() ,\n \"FunctorException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FunctorException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"FunctorException\"\n );\n }\n}\n", "class_idx": 17} {"class_name": "OverrideException", "java_source": "/*\n * Copyright 2014-2016 CyberVision, Inc.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/** The Class MergeException. */\npublic class OverrideException extends Exception {\n\n /** The Constant serialVersionUID. */\n private static final long serialVersionUID = 4195926751373854423L;\n\n /** Instantiates a new merge exception. */\n public OverrideException() {\n super();\n }\n\n /**\n * Instantiates a new merge exception.\n *\n * @param message the message\n */\n public OverrideException(String message) {\n super(message);\n }\n\n /**\n * Instantiates a new merge exception.\n *\n * @param message the message\n * @param cause the cause\n */\n public OverrideException(String message, Throwable cause) {\n super(message, cause);\n }\n\n /**\n * Instantiates a new merge exception.\n *\n * @param cause the cause\n */\n public OverrideException(Throwable cause) {\n super(cause);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super OverrideException \n.super java/lang/Exception \n.field private static final serialVersionUID J = 4195926751373854423L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 34 \n L4 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 43 \n L5 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 53 \n L6 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 62 \n L5 63 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'OverrideException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 15:34:31 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class OverrideException_ESTest extends OverrideException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n OverrideException overrideException0 = new OverrideException();\n OverrideException overrideException1 = new OverrideException(\"\", overrideException0);\n assertFalse(overrideException1.equals((Object)overrideException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n OverrideException overrideException0 = new OverrideException(\".br 5:h9w,\");\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n OverrideException overrideException0 = new OverrideException();\n OverrideException overrideException1 = new OverrideException(overrideException0);\n assertFalse(overrideException1.equals((Object)overrideException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 15:34:31 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class OverrideException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"OverrideException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp91__mn5n\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OverrideException_ESTest_scaffolding.class.getClassLoader() ,\n \"OverrideException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OverrideException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"OverrideException\"\n );\n }\n}\n", "class_idx": 18} {"class_name": "Base", "java_source": "import java.sql.Date;\nimport java.sql.Timestamp;\n\npublic class Base implements java.io.Serializable {\n\n /** */\n private static final long serialVersionUID = 4698283281033542672L;\n\n public Base() {\n super();\n }\n\n public Base(Long rowId) {\n super();\n this.rowId = rowId;\n }\n\n private Long rowId; // AUTO_INCREMENT\n private String name;\n private Double price;\n private Date pubDate;\n\n private Boolean deleted;\n private Boolean disabled;\n private Integer rowStatus;\n private String cruser;\n private Timestamp crtime;\n private String mduser;\n private Timestamp mdtime;\n\n private transient String recordId;\n private transient Integer page; // offset\n private transient Integer rows; // row_count\n private transient Integer total;\n private transient String srt;\n private transient String ord;\n\n public Long getRowId() {\n return rowId;\n }\n\n public void setRowId(Long rowId) {\n this.rowId = rowId;\n }\n\n public String getName() {\n return name;\n }\n\n public void setName(String name) {\n this.name = name;\n }\n\n public Double getPrice() {\n return price;\n }\n\n public void setPrice(Double price) {\n this.price = price;\n }\n\n public Date getPubDate() {\n return pubDate;\n }\n\n public void setPubDate(Date pubDate) {\n this.pubDate = pubDate;\n }\n\n public Boolean getDeleted() {\n return deleted;\n }\n\n public void setDeleted(Boolean deleted) {\n this.deleted = deleted;\n }\n\n public Boolean getDisabled() {\n return disabled;\n }\n\n public void setDisabled(Boolean disabled) {\n this.disabled = disabled;\n }\n\n public Integer getRowStatus() {\n return rowStatus;\n }\n\n public void setRowStatus(Integer rowStatus) {\n this.rowStatus = rowStatus;\n }\n\n public String getCruser() {\n return cruser;\n }\n\n public void setCruser(String cruser) {\n this.cruser = cruser;\n }\n\n public Timestamp getCrtime() {\n return crtime;\n }\n\n public void setCrtime(Timestamp crtime) {\n this.crtime = crtime;\n }\n\n public String getMduser() {\n return mduser;\n }\n\n public void setMduser(String mduser) {\n this.mduser = mduser;\n }\n\n public Timestamp getMdtime() {\n return mdtime;\n }\n\n public void setMdtime(Timestamp mdtime) {\n this.mdtime = mdtime;\n }\n\n public String getRecordId() {\n return recordId;\n }\n\n public void setRecordId(String recordId) {\n this.recordId = recordId;\n }\n\n public Integer getPage() {\n return page;\n }\n\n public void setPage(Integer page) {\n this.page = page;\n }\n\n public Integer getRows() {\n return rows;\n }\n\n public void setRows(Integer rows) {\n this.rows = rows;\n }\n\n public Integer getTotal() {\n return total;\n }\n\n public void setTotal(Integer total) {\n this.total = total;\n }\n\n public String getSrt() {\n return srt;\n }\n\n public void setSrt(String srt) {\n this.srt = srt;\n }\n\n public String getOrd() {\n return ord;\n }\n\n public void setOrd(String ord) {\n this.ord = ord;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Base \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = 4698283281033542672L \n.field private rowId Ljava/lang/Long; \n.field private name Ljava/lang/String; \n.field private price Ljava/lang/Double; \n.field private pubDate Ljava/sql/Date; \n.field private deleted Ljava/lang/Boolean; \n.field private disabled Ljava/lang/Boolean; \n.field private rowStatus Ljava/lang/Integer; \n.field private cruser Ljava/lang/String; \n.field private crtime Ljava/sql/Timestamp; \n.field private mduser Ljava/lang/String; \n.field private mdtime Ljava/sql/Timestamp; \n.field private transient recordId Ljava/lang/String; \n.field private transient page Ljava/lang/Integer; \n.field private transient rows Ljava/lang/Integer; \n.field private transient total Ljava/lang/Integer; \n.field private transient srt Ljava/lang/String; \n.field private transient ord Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 13 \n L4 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Long;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field Base rowId Ljava/lang/Long; \nL9: return \nL10: \n .linenumbertable \n L0 16 \n L4 17 \n L9 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRowId : ()Ljava/lang/Long; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base rowId Ljava/lang/Long; \nL4: areturn \nL5: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public setRowId : (Ljava/lang/Long;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base rowId Ljava/lang/Long; \nL5: return \nL6: \n .linenumbertable \n L0 43 \n L5 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public setName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base name Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 49 \n L5 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPrice : ()Ljava/lang/Double; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base price Ljava/lang/Double; \nL4: areturn \nL5: \n .linenumbertable \n L0 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPrice : (Ljava/lang/Double;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base price Ljava/lang/Double; \nL5: return \nL6: \n .linenumbertable \n L0 55 \n L5 56 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPubDate : ()Ljava/sql/Date; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base pubDate Ljava/sql/Date; \nL4: areturn \nL5: \n .linenumbertable \n L0 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPubDate : (Ljava/sql/Date;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base pubDate Ljava/sql/Date; \nL5: return \nL6: \n .linenumbertable \n L0 61 \n L5 62 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDeleted : ()Ljava/lang/Boolean; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base deleted Ljava/lang/Boolean; \nL4: areturn \nL5: \n .linenumbertable \n L0 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDeleted : (Ljava/lang/Boolean;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base deleted Ljava/lang/Boolean; \nL5: return \nL6: \n .linenumbertable \n L0 67 \n L5 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDisabled : ()Ljava/lang/Boolean; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base disabled Ljava/lang/Boolean; \nL4: areturn \nL5: \n .linenumbertable \n L0 70 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDisabled : (Ljava/lang/Boolean;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base disabled Ljava/lang/Boolean; \nL5: return \nL6: \n .linenumbertable \n L0 73 \n L5 74 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRowStatus : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base rowStatus Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 76 \n .end linenumbertable \n .end code \n.end method \n\n.method public setRowStatus : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base rowStatus Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 79 \n L5 80 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCruser : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base cruser Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 82 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCruser : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base cruser Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 85 \n L5 86 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCrtime : ()Ljava/sql/Timestamp; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base crtime Ljava/sql/Timestamp; \nL4: areturn \nL5: \n .linenumbertable \n L0 88 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCrtime : (Ljava/sql/Timestamp;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base crtime Ljava/sql/Timestamp; \nL5: return \nL6: \n .linenumbertable \n L0 91 \n L5 92 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMduser : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base mduser Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 94 \n .end linenumbertable \n .end code \n.end method \n\n.method public setMduser : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base mduser Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 97 \n L5 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMdtime : ()Ljava/sql/Timestamp; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base mdtime Ljava/sql/Timestamp; \nL4: areturn \nL5: \n .linenumbertable \n L0 100 \n .end linenumbertable \n .end code \n.end method \n\n.method public setMdtime : (Ljava/sql/Timestamp;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base mdtime Ljava/sql/Timestamp; \nL5: return \nL6: \n .linenumbertable \n L0 103 \n L5 104 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRecordId : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base recordId Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 106 \n .end linenumbertable \n .end code \n.end method \n\n.method public setRecordId : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base recordId Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 109 \n L5 110 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPage : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base page Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 112 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPage : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base page Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 115 \n L5 116 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRows : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base rows Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 118 \n .end linenumbertable \n .end code \n.end method \n\n.method public setRows : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base rows Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 121 \n L5 122 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTotal : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base total Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 124 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTotal : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base total Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 127 \n L5 128 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSrt : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base srt Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 130 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSrt : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base srt Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 133 \n L5 134 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOrd : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Base ord Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 136 \n .end linenumbertable \n .end code \n.end method \n\n.method public setOrd : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Base ord Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 139 \n L5 140 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Base.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 18:29:20 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.sql.Date;\nimport java.sql.Timestamp;\nimport java.time.Clock;\nimport java.time.Instant;\nimport java.time.LocalDateTime;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.time.MockClock;\nimport org.evosuite.runtime.mock.java.time.MockInstant;\nimport org.evosuite.runtime.mock.java.time.MockLocalDateTime;\nimport org.evosuite.runtime.mock.java.util.MockDate;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Base_ESTest extends Base_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = new Integer(0);\n base0.setTotal(integer0);\n Integer integer1 = base0.getTotal();\n assertEquals(0, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = new Integer(1);\n base0.setTotal(integer0);\n Integer integer1 = base0.getTotal();\n assertEquals(1, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Base base0 = new Base((Long) null);\n Integer integer0 = new Integer((-1));\n base0.setTotal(integer0);\n Integer integer1 = base0.getTotal();\n assertEquals((-1), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Base base0 = new Base();\n base0.setSrt(\"nRjJ@A8c5\");\n String string0 = base0.getSrt();\n assertEquals(\"nRjJ@A8c5\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Base base0 = new Base((Long) null);\n base0.setSrt(\"\");\n String string0 = base0.getSrt();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Long long0 = new Long(78187L);\n Base base0 = new Base(long0);\n Integer integer0 = new Integer((-12798));\n base0.setRows(integer0);\n Integer integer1 = base0.getRows();\n assertEquals((-12798), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = new Integer(0);\n base0.setRows(integer0);\n Integer integer1 = base0.getRows();\n assertEquals(0, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = new Integer(18519);\n base0.setRows(integer0);\n Integer integer1 = base0.getRows();\n assertEquals(18519, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = Integer.getInteger(\"\", 3983);\n base0.setRows(integer0);\n Integer integer1 = base0.getRows();\n assertEquals(3983, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Long long0 = new Long((-13756L));\n Base base0 = new Base(long0);\n Integer integer0 = new Integer(35621);\n base0.setRowStatus(integer0);\n Integer integer1 = base0.getRowStatus();\n assertEquals(35621, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Long long0 = new Long(64206L);\n Base base0 = new Base(long0);\n Integer integer0 = new Integer(0);\n base0.setRowStatus(integer0);\n Integer integer1 = base0.getRowStatus();\n assertEquals(0, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Long long0 = new Long((-61346L));\n Base base0 = new Base(long0);\n Integer integer0 = new Integer((-43910));\n base0.setRowStatus(integer0);\n Integer integer1 = base0.getRowStatus();\n assertEquals((-43910), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Long long0 = new Long((-60079L));\n Base base0 = new Base(long0);\n Long long1 = base0.getRowId();\n assertEquals((-60079L), (long)long1);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Long long0 = new Long(64206L);\n Base base0 = new Base(long0);\n Long long1 = base0.getRowId();\n assertEquals(64206L, (long)long1);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Base base0 = new Base();\n base0.setRecordId(\"\");\n String string0 = base0.getRecordId();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Long long0 = new Long(0L);\n Base base0 = new Base(long0);\n Date date0 = new Date(68590L);\n base0.setPubDate(date0);\n Date date1 = base0.getPubDate();\n assertSame(date1, date0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Long long0 = new Long((-70813L));\n Base base0 = new Base(long0);\n Double double0 = new Double(0.0);\n base0.setPrice(double0);\n Double double1 = base0.getPrice();\n assertEquals(0.0, (double)double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Base base0 = new Base((Long) null);\n Double double0 = new Double((-57736.63081955));\n base0.setPrice(double0);\n Double double1 = base0.getPrice();\n assertEquals((-57736.63081955), (double)double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Long long0 = new Long(0L);\n Base base0 = new Base(long0);\n Double double0 = Double.valueOf(42629.0);\n base0.setPrice(double0);\n Double double1 = base0.getPrice();\n assertEquals(42629.0, (double)double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = new Integer((-13331));\n base0.setPage(integer0);\n Integer integer1 = base0.getPage();\n assertEquals((-13331), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Long long0 = new Long((-6071L));\n Base base0 = new Base(long0);\n Integer integer0 = new Integer(0);\n base0.setPage(integer0);\n Integer integer1 = base0.getPage();\n assertEquals(0, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = new Integer(18519);\n base0.setPage(integer0);\n Integer integer1 = base0.getPage();\n assertEquals(18519, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Base base0 = new Base();\n base0.setOrd(\"N& p:ULE\");\n String string0 = base0.getOrd();\n assertEquals(\"N& p:ULE\", string0);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Long long0 = new Long((-34189L));\n Base base0 = new Base(long0);\n base0.setOrd(\"\");\n String string0 = base0.getOrd();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Base base0 = new Base();\n base0.setName(\"d?C/f PpV,zfg\");\n String string0 = base0.getName();\n assertEquals(\"d?C/f PpV,zfg\", string0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n Long long0 = new Long((-6071L));\n Base base0 = new Base(long0);\n base0.setName(\"\");\n String string0 = base0.getName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n Base base0 = new Base();\n base0.setMduser(\"aE*3\");\n String string0 = base0.getMduser();\n assertEquals(\"aE*3\", string0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n Base base0 = new Base((Long) null);\n base0.setMduser(\"\");\n String string0 = base0.getMduser();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n Base base0 = new Base((Long) null);\n MockDate mockDate0 = new MockDate(80730, 0, 0);\n Instant instant0 = mockDate0.toInstant();\n Timestamp timestamp0 = Timestamp.from(instant0);\n base0.setMdtime(timestamp0);\n Timestamp timestamp1 = base0.getMdtime();\n assertEquals(0, timestamp1.getNanos());\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n Base base0 = new Base();\n Instant instant0 = MockInstant.ofEpochMilli(65363L);\n Timestamp timestamp0 = Timestamp.from(instant0);\n base0.setMdtime(timestamp0);\n Timestamp timestamp1 = base0.getMdtime();\n assertEquals(363000000, timestamp1.getNanos());\n }\n\n @Test(timeout = 4000)\n public void test30() throws Throwable {\n Long long0 = new Long(0L);\n Base base0 = new Base(long0);\n Boolean boolean0 = Boolean.TRUE;\n base0.setDisabled(boolean0);\n Boolean boolean1 = base0.getDisabled();\n assertTrue(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test31() throws Throwable {\n Long long0 = new Long((-70813L));\n Base base0 = new Base(long0);\n Boolean boolean0 = new Boolean(false);\n base0.setDisabled(boolean0);\n Boolean boolean1 = base0.getDisabled();\n assertFalse(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test32() throws Throwable {\n Base base0 = new Base();\n Boolean boolean0 = Boolean.TRUE;\n base0.setDeleted(boolean0);\n Boolean boolean1 = base0.getDeleted();\n assertTrue(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test33() throws Throwable {\n Base base0 = new Base();\n Boolean boolean0 = new Boolean(\"\");\n base0.setDeleted(boolean0);\n Boolean boolean1 = base0.getDeleted();\n assertFalse(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test34() throws Throwable {\n Base base0 = new Base();\n base0.setCruser(\"nRjJ@A8c5\");\n String string0 = base0.getCruser();\n assertEquals(\"nRjJ@A8c5\", string0);\n }\n\n @Test(timeout = 4000)\n public void test35() throws Throwable {\n Base base0 = new Base();\n Instant instant0 = MockInstant.ofEpochSecond(54816L);\n Timestamp timestamp0 = Timestamp.from(instant0);\n base0.setCrtime(timestamp0);\n Timestamp timestamp1 = base0.getCrtime();\n assertEquals(0, timestamp1.getNanos());\n }\n\n @Test(timeout = 4000)\n public void test36() throws Throwable {\n Base base0 = new Base();\n Date date0 = base0.getPubDate();\n assertNull(date0);\n }\n\n @Test(timeout = 4000)\n public void test37() throws Throwable {\n Base base0 = new Base();\n Long long0 = base0.getRowId();\n assertNull(long0);\n }\n\n @Test(timeout = 4000)\n public void test38() throws Throwable {\n Base base0 = new Base();\n String string0 = base0.getSrt();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test39() throws Throwable {\n Long long0 = new Long((-1L));\n Base base0 = new Base(long0);\n String string0 = base0.getRecordId();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test40() throws Throwable {\n Base base0 = new Base();\n Timestamp timestamp0 = base0.getMdtime();\n assertNull(timestamp0);\n }\n\n @Test(timeout = 4000)\n public void test41() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = base0.getPage();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test42() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = base0.getRowStatus();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test43() throws Throwable {\n Base base0 = new Base();\n String string0 = base0.getName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test44() throws Throwable {\n Base base0 = new Base();\n String string0 = base0.getOrd();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test45() throws Throwable {\n Long long0 = new Long((-1L));\n Base base0 = new Base(long0);\n Boolean boolean0 = base0.getDisabled();\n assertNull(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test46() throws Throwable {\n Base base0 = new Base();\n Timestamp timestamp0 = base0.getCrtime();\n assertNull(timestamp0);\n }\n\n @Test(timeout = 4000)\n public void test47() throws Throwable {\n Base base0 = new Base();\n Long long0 = new Long(0L);\n base0.setRowId(long0);\n Long long1 = base0.getRowId();\n assertEquals(0L, (long)long1);\n }\n\n @Test(timeout = 4000)\n public void test48() throws Throwable {\n Base base0 = new Base();\n Clock clock0 = MockClock.systemUTC();\n LocalDateTime localDateTime0 = MockLocalDateTime.now(clock0);\n Timestamp timestamp0 = Timestamp.valueOf(localDateTime0);\n base0.setCrtime(timestamp0);\n Timestamp timestamp1 = base0.getCrtime();\n assertEquals(\"2014-02-14 20:21:21.32\", timestamp1.toString());\n }\n\n @Test(timeout = 4000)\n public void test49() throws Throwable {\n Base base0 = new Base();\n String string0 = base0.getCruser();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test50() throws Throwable {\n Base base0 = new Base();\n Double double0 = base0.getPrice();\n assertNull(double0);\n }\n\n @Test(timeout = 4000)\n public void test51() throws Throwable {\n Base base0 = new Base();\n String string0 = base0.getMduser();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test52() throws Throwable {\n Long long0 = new Long(78187L);\n Base base0 = new Base(long0);\n Integer integer0 = base0.getTotal();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test53() throws Throwable {\n Long long0 = new Long(78187L);\n Base base0 = new Base(long0);\n Integer integer0 = Integer.getInteger(\"\", (-1));\n base0.setRowStatus(integer0);\n Integer integer1 = base0.getRowStatus();\n assertEquals((-1), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test54() throws Throwable {\n Base base0 = new Base();\n base0.setCruser(\"\");\n String string0 = base0.getCruser();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test55() throws Throwable {\n Long long0 = new Long((-1L));\n Base base0 = new Base(long0);\n base0.setRecordId(\"vOd^@#p+\");\n String string0 = base0.getRecordId();\n assertEquals(\"vOd^@#p+\", string0);\n }\n\n @Test(timeout = 4000)\n public void test56() throws Throwable {\n Base base0 = new Base();\n Integer integer0 = base0.getRows();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test57() throws Throwable {\n Base base0 = new Base();\n Boolean boolean0 = base0.getDeleted();\n assertNull(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 18:29:20 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Base_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Base\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkrp5tcor\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Base_ESTest_scaffolding.class.getClassLoader() ,\n \"Base\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Base_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Base\"\n );\n }\n}\n", "class_idx": 19} {"class_name": "PublicHistory", "java_source": "/*\n ** Copyright 2013 Mohamed Elsabagh \n **\n ** This file is part of GoForward. See LICENSE for more details.\n */\n\nimport java.util.Date;\nimport java.util.List;\n\npublic final class PublicHistory {\n\n private Date date; // mutable\n private List opponents;\n private String moves;\n\n public PublicHistory(Date date, List opponents, String moves) {\n this.date = date != null ? new Date(date.getTime()) : null;\n this.opponents = opponents;\n this.moves = moves;\n }\n\n public Date getDate() {\n return date != null ? new Date(date.getTime()) : null;\n }\n\n public List getOpponent() {\n return opponents;\n }\n\n public String getMoves() {\n return moves;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super PublicHistory \n.super java/lang/Object \n.field private date Ljava/util/Date; \n.field private opponents Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field private moves Ljava/lang/String; \n\n.method public : (Ljava/util/Date;Ljava/util/List;Ljava/lang/String;)V \n .code stack 5 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: ifnull L23 \nL9: new java/util/Date \nL12: dup \nL13: aload_1 \nL14: invokevirtual Method java/util/Date getTime ()J \nL17: invokespecial Method java/util/Date (J)V \nL20: goto L24 \n\n .stack full \n locals Object PublicHistory Object java/util/Date Object java/util/List Object java/lang/String \n stack Object PublicHistory \n .end stack \nL23: aconst_null \n\n .stack full \n locals Object PublicHistory Object java/util/Date Object java/util/List Object java/lang/String \n stack Object PublicHistory Object java/util/Date \n .end stack \nL24: putfield Field PublicHistory date Ljava/util/Date; \nL27: aload_0 \nL28: aload_2 \nL29: putfield Field PublicHistory opponents Ljava/util/List; \nL32: aload_0 \nL33: aload_3 \nL34: putfield Field PublicHistory moves Ljava/lang/String; \nL37: return \nL38: \n .linenumbertable \n L0 18 \n L4 19 \n L27 20 \n L32 21 \n L37 22 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Date;Ljava/util/List;Ljava/lang/String;)V \n.end method \n\n.method public getDate : ()Ljava/util/Date; \n .code stack 4 locals 1 \nL0: aload_0 \nL1: getfield Field PublicHistory date Ljava/util/Date; \nL4: ifnull L24 \nL7: new java/util/Date \nL10: dup \nL11: aload_0 \nL12: getfield Field PublicHistory date Ljava/util/Date; \nL15: invokevirtual Method java/util/Date getTime ()J \nL18: invokespecial Method java/util/Date (J)V \nL21: goto L25 \n\n .stack same \nL24: aconst_null \n\n .stack stack_1 Object java/util/Date \nL25: areturn \nL26: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOpponent : ()Ljava/util/List; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PublicHistory opponents Ljava/util/List; \nL4: areturn \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/List; \n.end method \n\n.method public getMoves : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PublicHistory moves Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PublicHistory.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 20:29:05 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.Collection;\nimport java.util.Date;\nimport java.util.LinkedList;\nimport java.util.List;\nimport java.util.Locale;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockDate;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PublicHistory_ESTest extends PublicHistory_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockDate mockDate0 = new MockDate(0, 0, 0, 0, 0, 0);\n LinkedList linkedList0 = new LinkedList();\n linkedList0.add(\"\");\n PublicHistory publicHistory0 = new PublicHistory(mockDate0, linkedList0, \"C1,ox6{40 /Uuk[\");\n List list0 = publicHistory0.getOpponent();\n assertFalse(list0.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n LinkedList linkedList1 = new LinkedList();\n List list0 = Locale.filterTags((List) linkedList0, (Collection) linkedList1);\n PublicHistory publicHistory0 = new PublicHistory((Date) null, list0, \"\");\n List list1 = publicHistory0.getOpponent();\n assertSame(list1, list0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MockDate mockDate0 = new MockDate(0, 0, 0, 11391, 11391, 0);\n LinkedList linkedList0 = new LinkedList();\n PublicHistory publicHistory0 = new PublicHistory(mockDate0, linkedList0, (String) null);\n String string0 = publicHistory0.getMoves();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n MockDate mockDate0 = new MockDate(0, 0, (-1), (-1), 0, 1);\n PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List) null, \"\");\n String string0 = publicHistory0.getMoves();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n MockDate mockDate0 = new MockDate();\n PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List) null, \"Vz2ge5j`o%}Z:rq)\");\n Date date0 = publicHistory0.getDate();\n assertEquals(\"Fri Feb 14 20:21:21 GMT 2014\", date0.toString());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n PublicHistory publicHistory0 = new PublicHistory((Date) null, linkedList0, \"\");\n Date date0 = publicHistory0.getDate();\n assertNull(date0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n MockDate mockDate0 = new MockDate();\n PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List) null, \"Vz2ge5j`o%}Z:rq)\");\n String string0 = publicHistory0.getMoves();\n assertEquals(\"Vz2ge5j`o%}Z:rq)\", string0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n MockDate mockDate0 = new MockDate();\n PublicHistory publicHistory0 = new PublicHistory(mockDate0, (List) null, \"Vz2ge5j`o%}Z:rq)\");\n List list0 = publicHistory0.getOpponent();\n assertNull(list0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 20:29:05 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PublicHistory_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PublicHistory\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp5tk9vr__\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PublicHistory_ESTest_scaffolding.class.getClassLoader() ,\n \"PublicHistory\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PublicHistory_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PublicHistory\"\n );\n }\n}\n", "class_idx": 20} {"class_name": "IncompleteHandshakeException", "java_source": "public class IncompleteHandshakeException extends RuntimeException {\n\n private static final long serialVersionUID = 7906596804233893092L;\n private int newsize;\n\n public IncompleteHandshakeException(int newsize) {\n this.newsize = newsize;\n }\n\n public IncompleteHandshakeException() {\n this.newsize = 0;\n }\n\n public int getPreferedSize() {\n return newsize;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super IncompleteHandshakeException \n.super java/lang/RuntimeException \n.field private static final serialVersionUID J = 7906596804233893092L \n.field private newsize I \n\n.method public : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field IncompleteHandshakeException newsize I \nL9: return \nL10: \n .linenumbertable \n L0 8 \n L4 9 \n L9 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field IncompleteHandshakeException newsize I \nL9: return \nL10: \n .linenumbertable \n L0 12 \n L4 13 \n L9 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPreferedSize : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field IncompleteHandshakeException newsize I \nL4: ireturn \nL5: \n .linenumbertable \n L0 17 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'IncompleteHandshakeException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:15:52 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class IncompleteHandshakeException_ESTest extends IncompleteHandshakeException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n IncompleteHandshakeException incompleteHandshakeException0 = new IncompleteHandshakeException((-1));\n int int0 = incompleteHandshakeException0.getPreferedSize();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n IncompleteHandshakeException incompleteHandshakeException0 = new IncompleteHandshakeException(19308);\n int int0 = incompleteHandshakeException0.getPreferedSize();\n assertEquals(19308, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n IncompleteHandshakeException incompleteHandshakeException0 = new IncompleteHandshakeException();\n int int0 = incompleteHandshakeException0.getPreferedSize();\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 22:15:52 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class IncompleteHandshakeException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"IncompleteHandshakeException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp9gmf89ix\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IncompleteHandshakeException_ESTest_scaffolding.class.getClassLoader() ,\n \"IncompleteHandshakeException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IncompleteHandshakeException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"IncompleteHandshakeException\"\n );\n }\n}\n", "class_idx": 21} {"class_name": "Encrypt", "java_source": "public final class Encrypt {\n\n public static final int NONE = 0;\n\n public static final int WPA2 = 1;\n\n public static final int ENCRYPTS = 2;\n}\n", "jasm_code": ".version 52 0 \n.class public final super Encrypt \n.super java/lang/Object \n.field public static final NONE I = 0 \n.field public static final WPA2 I = 1 \n.field public static final ENCRYPTS I = 2 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Encrypt.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 15:05:21 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Encrypt_ESTest extends Encrypt_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Encrypt encrypt0 = new Encrypt();\n assertEquals(2, Encrypt.ENCRYPTS);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 15:05:21 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Encrypt_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Encrypt\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprjl06h5r\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Encrypt_ESTest_scaffolding.class.getClassLoader() ,\n \"Encrypt\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Encrypt_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Encrypt\"\n );\n }\n}\n", "class_idx": 22} {"class_name": "NXTNotFoundException", "java_source": "public class NXTNotFoundException extends Exception {\n\n private static final long serialVersionUID = -7605663541720174844L;\n\n public NXTNotFoundException() {\n super();\n }\n\n public NXTNotFoundException(String arg0) {\n super(arg0);\n }\n\n public NXTNotFoundException(Throwable arg0) {\n super(arg0);\n }\n\n public NXTNotFoundException(String arg0, Throwable arg1) {\n super(arg0, arg1);\n }\n\n public String getMessage() {\n if ((getCause() != null) && (getCause().getMessage() != null)) return getCause().getMessage();\n else return super.getMessage();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super NXTNotFoundException \n.super java/lang/Exception \n.field private static final serialVersionUID J = -7605663541720174844L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n L4 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 12 \n L5 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 16 \n L5 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 20 \n L6 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMessage : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method NXTNotFoundException getCause ()Ljava/lang/Throwable; \nL4: ifnull L25 \nL7: aload_0 \nL8: invokevirtual Method NXTNotFoundException getCause ()Ljava/lang/Throwable; \nL11: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; \nL14: ifnull L25 \nL17: aload_0 \nL18: invokevirtual Method NXTNotFoundException getCause ()Ljava/lang/Throwable; \nL21: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; \nL24: areturn \n\n .stack same \nL25: aload_0 \nL26: invokespecial Method java/lang/Exception getMessage ()Ljava/lang/String; \nL29: areturn \nL30: \n .linenumbertable \n L0 24 \n L17 25 \n L25 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'NXTNotFoundException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 04:51:58 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class NXTNotFoundException_ESTest extends NXTNotFoundException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable();\n NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException((String) null, mockThrowable0);\n String string0 = nXTNotFoundException0.getMessage();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable((String) null);\n NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException(mockThrowable0);\n String string0 = nXTNotFoundException0.getMessage();\n assertEquals(\"org.evosuite.runtime.mock.java.lang.MockThrowable\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException(\"E/pR?]I\");\n NXTNotFoundException nXTNotFoundException1 = new NXTNotFoundException(nXTNotFoundException0);\n String string0 = nXTNotFoundException1.getMessage();\n assertEquals(\"E/pR?]I\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException(\"E/pR?]I\");\n String string0 = nXTNotFoundException0.getMessage();\n assertEquals(\"E/pR?]I\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException(\"\");\n String string0 = nXTNotFoundException0.getMessage();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n NXTNotFoundException nXTNotFoundException0 = new NXTNotFoundException();\n NXTNotFoundException nXTNotFoundException1 = new NXTNotFoundException(nXTNotFoundException0);\n assertFalse(nXTNotFoundException1.equals((Object)nXTNotFoundException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 04:51:58 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class NXTNotFoundException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"NXTNotFoundException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpbtye_kjs\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NXTNotFoundException_ESTest_scaffolding.class.getClassLoader() ,\n \"NXTNotFoundException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NXTNotFoundException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"NXTNotFoundException\"\n );\n }\n}\n", "class_idx": 23} {"class_name": "Arith", "java_source": "import java.math.BigDecimal;\n\n/**\n * \u7531\u4e8eJava\u7684\u7b80\u5355\u7c7b\u578b\u4e0d\u80fd\u591f\u7cbe\u786e\u7684\u5bf9\u6d6e\u70b9\u6570\u8fdb\u884c\u8fd0\u7b97\uff0c\u8fd9\u4e2a\u5de5\u5177\u7c7b\u63d0\u4f9b\u7cbe \u786e\u7684\u6d6e\u70b9\u6570\u8fd0\u7b97\uff0c\u5305\u62ec\u52a0\u51cf\u4e58\u9664\u548c\u56db\u820d\u4e94\u5165\u3002\n *\n * @author xiaocong\n * @email xcjava@gmail.com\n */\npublic class Arith {\n\n /** \u6784\u9020\u65b9\u6cd5 */\n private Arith() {}\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u52a0\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u88ab\u52a0\u6570\n * @param v2 \u52a0\u6570\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u548c\n */\n public static double add(double v1, double v2) {\n BigDecimal b1 = new BigDecimal(Double.toString(v1));\n BigDecimal b2 = new BigDecimal(Double.toString(v2));\n return b1.add(b2).doubleValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u52a0\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u88ab\u52a0\u6570\n * @param v2 \u52a0\u6570\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u548c\n */\n public static float add(float v1, float v2) {\n BigDecimal b1 = new BigDecimal(Float.toString(v1));\n BigDecimal b2 = new BigDecimal(Float.toString(v2));\n return b1.add(b2).floatValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u52a0\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u6570\u5b57\u5b57\u7b26\u4e32\n * @param v2 \u6570\u5b57\u5b57\u7b26\u4e32\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u548c\uff0c\u5b57\u7b26\u4e32\u578b\n */\n public static String add(String v1, String v2) {\n BigDecimal b1 = new BigDecimal(v1);\n BigDecimal b2 = new BigDecimal(v2);\n return b1.add(b2).toString();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u51cf\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u88ab\u51cf\u6570\n * @param v2 \u51cf\u6570\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u5dee\uff0c\u53cc\u7cbe\u5ea6\u578b\n */\n public static double sub(double v1, double v2) {\n BigDecimal b1 = new BigDecimal(Double.toString(v1));\n BigDecimal b2 = new BigDecimal(Double.toString(v2));\n return b1.subtract(b2).doubleValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u51cf\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u88ab\u51cf\u6570\n * @param v2 \u51cf\u6570\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u5dee\n */\n public static float sub(float v1, float v2) {\n BigDecimal b1 = new BigDecimal(Float.toString(v1));\n BigDecimal b2 = new BigDecimal(Float.toString(v2));\n return b1.subtract(b2).floatValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u51cf\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u6570\u5b57\u5b57\u7b26\u4e32\n * @param v2 \u6570\u5b57\u5b57\u7b26\u4e32\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u5dee\uff0c\u5b57\u7b26\u4e32\u578b\n */\n public static String sub(String v1, String v2) {\n BigDecimal b1 = new BigDecimal(v1);\n BigDecimal b2 = new BigDecimal(v2);\n return b1.subtract(b2).toString();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u4e58\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u88ab\u4e58\u6570\n * @param v2 \u4e58\u6570\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u79ef\n */\n public static double mul(double v1, double v2) {\n BigDecimal b1 = new BigDecimal(Double.toString(v1));\n BigDecimal b2 = new BigDecimal(Double.toString(v2));\n return b1.multiply(b2).doubleValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u4e58\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u88ab\u4e58\u6570\n * @param v2 \u4e58\u6570\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u79ef\n */\n public static float mul(float v1, float v2) {\n BigDecimal b1 = new BigDecimal(Float.toString(v1));\n BigDecimal b2 = new BigDecimal(Float.toString(v2));\n return b1.multiply(b2).floatValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u4e58\u6cd5\u8fd0\u7b97\u3002\n *\n * @param v1 \u6570\u5b57\u5b57\u7b26\u4e32\n * @param v2 \u6570\u5b57\u5b57\u7b26\u4e32\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u79ef\uff0c\u5b57\u7b26\u4e32\u578b\n */\n public static String mul(String v1, String v2) {\n BigDecimal b1 = new BigDecimal(v1);\n BigDecimal b2 = new BigDecimal(v2);\n return b1.multiply(b2).toString();\n }\n\n /**\n * \u63d0\u4f9b\uff08\u76f8\u5bf9\uff09\u7cbe\u786e\u7684\u9664\u6cd5\u8fd0\u7b97\u3002\u5f53\u53d1\u751f\u9664\u4e0d\u5c3d\u7684\u60c5\u51b5\u65f6\uff0c\u7531scale\u53c2\u6570\u6307 \u5b9a\u7cbe\u5ea6\uff0c\u4ee5\u540e\u7684\u6570\u5b57\u56db\u820d\u4e94\u5165\u3002\n *\n * @param v1 \u88ab\u9664\u6570\n * @param v2 \u9664\u6570\n * @param scale \u8868\u793a\u9700\u8981\u7cbe\u786e\u5230\u5c0f\u6570\u70b9\u4ee5\u540e\u51e0\u4f4d\u3002\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u5546\uff0c\u53cc\u7cbe\u5ea6\u578b\n */\n public static double div(double v1, double v2, int scale) {\n if (scale < 0) {\n throw new IllegalArgumentException(\"The scale must be a positive integer or zero\");\n }\n\n BigDecimal b1 = new BigDecimal(Double.toString(v1));\n BigDecimal b2 = new BigDecimal(Double.toString(v2));\n return b1.divide(b2, scale, BigDecimal.ROUND_HALF_UP).doubleValue();\n }\n\n /**\n * \u63d0\u4f9b\uff08\u76f8\u5bf9\uff09\u7cbe\u786e\u7684\u9664\u6cd5\u8fd0\u7b97\u3002\u5f53\u53d1\u751f\u9664\u4e0d\u5c3d\u7684\u60c5\u51b5\u65f6\uff0c\u7531scale\u53c2\u6570\u6307 \u5b9a\u7cbe\u5ea6\uff0c\u4ee5\u540e\u7684\u6570\u5b57\u56db\u820d\u4e94\u5165\u3002\n *\n * @param v1 \u88ab\u9664\u6570\n * @param v2 \u9664\u6570\n * @param scale \u8868\u793a\u9700\u8981\u7cbe\u786e\u5230\u5c0f\u6570\u70b9\u4ee5\u540e\u51e0\u4f4d\u3002\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u5546\n */\n public static float div(float v1, float v2, int scale) {\n if (scale < 0) {\n throw new IllegalArgumentException(\"The scale must be a positive integer or zero\");\n }\n\n BigDecimal b1 = new BigDecimal(Float.toString(v1));\n BigDecimal b2 = new BigDecimal(Float.toString(v2));\n return b1.divide(b2, scale, BigDecimal.ROUND_HALF_UP).floatValue();\n }\n\n /**\n * \u63d0\u4f9b\uff08\u76f8\u5bf9\uff09\u7cbe\u786e\u7684\u9664\u6cd5\u8fd0\u7b97\u3002\u5f53\u53d1\u751f\u9664\u4e0d\u5c3d\u7684\u60c5\u51b5\u65f6\uff0c\u7531scale\u53c2\u6570\u6307 \u5b9a\u7cbe\u5ea6\uff0c\u4ee5\u540e\u7684\u6570\u5b57\u56db\u820d\u4e94\u5165\u3002\n *\n * @param v1 \u6570\u5b57\u5b57\u7b26\u4e32\n * @param v2 \u6570\u5b57\u5b57\u7b26\u4e32\n * @param scale \u8868\u793a\u9700\u8981\u7cbe\u786e\u5230\u5c0f\u6570\u70b9\u4ee5\u540e\u51e0\u4f4d\u3002\n * @return \u4e24\u4e2a\u53c2\u6570\u7684\u5546\uff0c\u5b57\u7b26\u4e32\u578b\n */\n public static String div(String v1, String v2, int scale) {\n if (scale < 0) {\n throw new IllegalArgumentException(\"The scale must be a positive integer or zero\");\n }\n\n BigDecimal b1 = new BigDecimal(v1);\n BigDecimal b2 = new BigDecimal(v2);\n return b1.divide(b2, scale, BigDecimal.ROUND_HALF_UP).toString();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u5c0f\u6570\u4f4d\u56db\u820d\u4e94\u5165\u5904\u7406\u3002\n *\n * @param v \u9700\u8981\u56db\u820d\u4e94\u5165\u7684\u6570\u5b57\n * @param scale \u5c0f\u6570\u70b9\u540e\u4fdd\u7559\u51e0\u4f4d\n * @return \u56db\u820d\u4e94\u5165\u540e\u7684\u7ed3\u679c\uff0c\u53cc\u7cbe\u5ea6\u578b\n */\n public static double round(double v, int scale) {\n if (scale < 0) {\n throw new IllegalArgumentException(\"The scale must be a positive integer or zero\");\n }\n\n BigDecimal b = new BigDecimal(Double.toString(v));\n BigDecimal one = new BigDecimal(\"1\");\n return b.divide(one, scale, BigDecimal.ROUND_HALF_UP).doubleValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u5c0f\u6570\u4f4d\u56db\u820d\u4e94\u5165\u5904\u7406\u3002\n *\n * @param v \u9700\u8981\u56db\u820d\u4e94\u5165\u7684\u6570\u5b57\n * @param scale \u5c0f\u6570\u70b9\u540e\u4fdd\u7559\u51e0\u4f4d\n * @return \u56db\u820d\u4e94\u5165\u540e\u7684\u7ed3\u679c\uff0c\u53cc\u7cbe\u5ea6\u578b\n */\n public static float round(float v, int scale) {\n if (scale < 0) {\n throw new IllegalArgumentException(\"The scale must be a positive integer or zero\");\n }\n\n BigDecimal b = new BigDecimal(Float.toString(v));\n BigDecimal one = new BigDecimal(\"1\");\n return b.divide(one, scale, BigDecimal.ROUND_HALF_UP).floatValue();\n }\n\n /**\n * \u63d0\u4f9b\u7cbe\u786e\u7684\u5c0f\u6570\u4f4d\u56db\u820d\u4e94\u5165\u5904\u7406\u3002\n *\n * @param v \u9700\u8981\u56db\u820d\u4e94\u5165\u7684\u6570\u5b57\u5b57\u7b26\u4e32\n * @param scale \u5c0f\u6570\u70b9\u540e\u4fdd\u7559\u51e0\u4f4d\n * @return \u56db\u820d\u4e94\u5165\u540e\u7684\u7ed3\u679c\uff0c\u5b57\u7b26\u4e32\u578b\n */\n public static String round(String v, int scale) {\n if (scale < 0) {\n throw new IllegalArgumentException(\"The scale must be a positive integer or zero\");\n }\n\n BigDecimal b = new BigDecimal(v);\n BigDecimal one = new BigDecimal(\"1\");\n return b.divide(one, scale, BigDecimal.ROUND_HALF_UP).toString();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Arith \n.super java/lang/Object \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 17 \n L4 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public static add : (DD)D \n .code stack 4 locals 6 \nL0: new java/math/BigDecimal \nL3: dup \nL4: dload_0 \nL5: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL8: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL11: astore 4 \nL13: new java/math/BigDecimal \nL16: dup \nL17: dload_2 \nL18: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL21: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL24: astore 5 \nL26: aload 4 \nL28: aload 5 \nL30: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL33: invokevirtual Method java/math/BigDecimal doubleValue ()D \nL36: dreturn \nL37: \n .linenumbertable \n L0 27 \n L13 28 \n L26 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public static add : (FF)F \n .code stack 3 locals 4 \nL0: new java/math/BigDecimal \nL3: dup \nL4: fload_0 \nL5: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL8: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL11: astore_2 \nL12: new java/math/BigDecimal \nL15: dup \nL16: fload_1 \nL17: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL20: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL23: astore_3 \nL24: aload_2 \nL25: aload_3 \nL26: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL29: invokevirtual Method java/math/BigDecimal floatValue ()F \nL32: freturn \nL33: \n .linenumbertable \n L0 39 \n L12 40 \n L24 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public static add : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 4 \nL0: new java/math/BigDecimal \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL8: astore_2 \nL9: new java/math/BigDecimal \nL12: dup \nL13: aload_1 \nL14: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL17: astore_3 \nL18: aload_2 \nL19: aload_3 \nL20: invokevirtual Method java/math/BigDecimal add (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL23: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; \nL26: areturn \nL27: \n .linenumbertable \n L0 51 \n L9 52 \n L18 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public static sub : (DD)D \n .code stack 4 locals 6 \nL0: new java/math/BigDecimal \nL3: dup \nL4: dload_0 \nL5: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL8: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL11: astore 4 \nL13: new java/math/BigDecimal \nL16: dup \nL17: dload_2 \nL18: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL21: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL24: astore 5 \nL26: aload 4 \nL28: aload 5 \nL30: invokevirtual Method java/math/BigDecimal subtract (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL33: invokevirtual Method java/math/BigDecimal doubleValue ()D \nL36: dreturn \nL37: \n .linenumbertable \n L0 63 \n L13 64 \n L26 65 \n .end linenumbertable \n .end code \n.end method \n\n.method public static sub : (FF)F \n .code stack 3 locals 4 \nL0: new java/math/BigDecimal \nL3: dup \nL4: fload_0 \nL5: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL8: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL11: astore_2 \nL12: new java/math/BigDecimal \nL15: dup \nL16: fload_1 \nL17: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL20: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL23: astore_3 \nL24: aload_2 \nL25: aload_3 \nL26: invokevirtual Method java/math/BigDecimal subtract (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL29: invokevirtual Method java/math/BigDecimal floatValue ()F \nL32: freturn \nL33: \n .linenumbertable \n L0 75 \n L12 76 \n L24 77 \n .end linenumbertable \n .end code \n.end method \n\n.method public static sub : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 4 \nL0: new java/math/BigDecimal \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL8: astore_2 \nL9: new java/math/BigDecimal \nL12: dup \nL13: aload_1 \nL14: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL17: astore_3 \nL18: aload_2 \nL19: aload_3 \nL20: invokevirtual Method java/math/BigDecimal subtract (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL23: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; \nL26: areturn \nL27: \n .linenumbertable \n L0 87 \n L9 88 \n L18 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public static mul : (DD)D \n .code stack 4 locals 6 \nL0: new java/math/BigDecimal \nL3: dup \nL4: dload_0 \nL5: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL8: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL11: astore 4 \nL13: new java/math/BigDecimal \nL16: dup \nL17: dload_2 \nL18: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL21: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL24: astore 5 \nL26: aload 4 \nL28: aload 5 \nL30: invokevirtual Method java/math/BigDecimal multiply (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL33: invokevirtual Method java/math/BigDecimal doubleValue ()D \nL36: dreturn \nL37: \n .linenumbertable \n L0 99 \n L13 100 \n L26 101 \n .end linenumbertable \n .end code \n.end method \n\n.method public static mul : (FF)F \n .code stack 3 locals 4 \nL0: new java/math/BigDecimal \nL3: dup \nL4: fload_0 \nL5: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL8: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL11: astore_2 \nL12: new java/math/BigDecimal \nL15: dup \nL16: fload_1 \nL17: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL20: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL23: astore_3 \nL24: aload_2 \nL25: aload_3 \nL26: invokevirtual Method java/math/BigDecimal multiply (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL29: invokevirtual Method java/math/BigDecimal floatValue ()F \nL32: freturn \nL33: \n .linenumbertable \n L0 111 \n L12 112 \n L24 113 \n .end linenumbertable \n .end code \n.end method \n\n.method public static mul : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 4 \nL0: new java/math/BigDecimal \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL8: astore_2 \nL9: new java/math/BigDecimal \nL12: dup \nL13: aload_1 \nL14: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL17: astore_3 \nL18: aload_2 \nL19: aload_3 \nL20: invokevirtual Method java/math/BigDecimal multiply (Ljava/math/BigDecimal;)Ljava/math/BigDecimal; \nL23: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; \nL26: areturn \nL27: \n .linenumbertable \n L0 123 \n L9 124 \n L18 125 \n .end linenumbertable \n .end code \n.end method \n\n.method public static div : (DDI)D \n .code stack 4 locals 7 \nL0: iload 4 \nL2: ifge L15 \nL5: new java/lang/IllegalArgumentException \nL8: dup \nL9: ldc 'The scale must be a positive integer or zero' \nL11: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL14: athrow \n\n .stack same \nL15: new java/math/BigDecimal \nL18: dup \nL19: dload_0 \nL20: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL23: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL26: astore 5 \nL28: new java/math/BigDecimal \nL31: dup \nL32: dload_2 \nL33: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL36: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL39: astore 6 \nL41: aload 5 \nL43: aload 6 \nL45: iload 4 \nL47: iconst_4 \nL48: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; \nL51: invokevirtual Method java/math/BigDecimal doubleValue ()D \nL54: dreturn \nL55: \n .linenumbertable \n L0 137 \n L5 138 \n L15 142 \n L28 143 \n L41 144 \n .end linenumbertable \n .end code \n.end method \n\n.method public static div : (FFI)F \n .code stack 4 locals 5 \nL0: iload_2 \nL1: ifge L14 \nL4: new java/lang/IllegalArgumentException \nL7: dup \nL8: ldc 'The scale must be a positive integer or zero' \nL10: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: new java/math/BigDecimal \nL17: dup \nL18: fload_0 \nL19: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL22: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL25: astore_3 \nL26: new java/math/BigDecimal \nL29: dup \nL30: fload_1 \nL31: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL34: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL37: astore 4 \nL39: aload_3 \nL40: aload 4 \nL42: iload_2 \nL43: iconst_4 \nL44: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; \nL47: invokevirtual Method java/math/BigDecimal floatValue ()F \nL50: freturn \nL51: \n .linenumbertable \n L0 156 \n L4 157 \n L14 161 \n L26 162 \n L39 163 \n .end linenumbertable \n .end code \n.end method \n\n.method public static div : (Ljava/lang/String;Ljava/lang/String;I)Ljava/lang/String; \n .code stack 4 locals 5 \nL0: iload_2 \nL1: ifge L14 \nL4: new java/lang/IllegalArgumentException \nL7: dup \nL8: ldc 'The scale must be a positive integer or zero' \nL10: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: new java/math/BigDecimal \nL17: dup \nL18: aload_0 \nL19: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL22: astore_3 \nL23: new java/math/BigDecimal \nL26: dup \nL27: aload_1 \nL28: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL31: astore 4 \nL33: aload_3 \nL34: aload 4 \nL36: iload_2 \nL37: iconst_4 \nL38: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; \nL41: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; \nL44: areturn \nL45: \n .linenumbertable \n L0 175 \n L4 176 \n L14 180 \n L23 181 \n L33 182 \n .end linenumbertable \n .end code \n.end method \n\n.method public static round : (DI)D \n .code stack 4 locals 5 \nL0: iload_2 \nL1: ifge L14 \nL4: new java/lang/IllegalArgumentException \nL7: dup \nL8: ldc 'The scale must be a positive integer or zero' \nL10: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: new java/math/BigDecimal \nL17: dup \nL18: dload_0 \nL19: invokestatic Method java/lang/Double toString (D)Ljava/lang/String; \nL22: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL25: astore_3 \nL26: new java/math/BigDecimal \nL29: dup \nL30: ldc '1' \nL32: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL35: astore 4 \nL37: aload_3 \nL38: aload 4 \nL40: iload_2 \nL41: iconst_4 \nL42: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; \nL45: invokevirtual Method java/math/BigDecimal doubleValue ()D \nL48: dreturn \nL49: \n .linenumbertable \n L0 192 \n L4 193 \n L14 197 \n L26 198 \n L37 199 \n .end linenumbertable \n .end code \n.end method \n\n.method public static round : (FI)F \n .code stack 4 locals 4 \nL0: iload_1 \nL1: ifge L14 \nL4: new java/lang/IllegalArgumentException \nL7: dup \nL8: ldc 'The scale must be a positive integer or zero' \nL10: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: new java/math/BigDecimal \nL17: dup \nL18: fload_0 \nL19: invokestatic Method java/lang/Float toString (F)Ljava/lang/String; \nL22: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL25: astore_2 \nL26: new java/math/BigDecimal \nL29: dup \nL30: ldc '1' \nL32: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL35: astore_3 \nL36: aload_2 \nL37: aload_3 \nL38: iload_1 \nL39: iconst_4 \nL40: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; \nL43: invokevirtual Method java/math/BigDecimal floatValue ()F \nL46: freturn \nL47: \n .linenumbertable \n L0 209 \n L4 210 \n L14 214 \n L26 215 \n L36 216 \n .end linenumbertable \n .end code \n.end method \n\n.method public static round : (Ljava/lang/String;I)Ljava/lang/String; \n .code stack 4 locals 4 \nL0: iload_1 \nL1: ifge L14 \nL4: new java/lang/IllegalArgumentException \nL7: dup \nL8: ldc 'The scale must be a positive integer or zero' \nL10: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: new java/math/BigDecimal \nL17: dup \nL18: aload_0 \nL19: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL22: astore_2 \nL23: new java/math/BigDecimal \nL26: dup \nL27: ldc '1' \nL29: invokespecial Method java/math/BigDecimal (Ljava/lang/String;)V \nL32: astore_3 \nL33: aload_2 \nL34: aload_3 \nL35: iload_1 \nL36: iconst_4 \nL37: invokevirtual Method java/math/BigDecimal divide (Ljava/math/BigDecimal;II)Ljava/math/BigDecimal; \nL40: invokevirtual Method java/math/BigDecimal toString ()Ljava/lang/String; \nL43: areturn \nL44: \n .linenumbertable \n L0 226 \n L4 227 \n L14 231 \n L23 232 \n L33 233 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Arith.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 19:31:34 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Arith_ESTest extends Arith_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n // Undeclared exception!\n try { \n Arith.round((String) null, 0);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n // Undeclared exception!\n try { \n Arith.round(\"\", 13632);\n fail(\"Expecting exception: NumberFormatException\");\n \n } catch(NumberFormatException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.math.BigDecimal\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Arith.add(0.0F, 26805.0F);\n Arith.round(85337.0F, 0);\n Arith.div(\"1\", \"1\", 0);\n Arith.mul(0.0F, (float) 0);\n // Undeclared exception!\n try { \n Arith.div(26805.0F, 0.0F, 0);\n fail(\"Expecting exception: ArithmeticException\");\n \n } catch(ArithmeticException e) {\n //\n // / by zero\n //\n verifyException(\"java.math.BigDecimal\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n // Undeclared exception!\n try { \n Arith.mul(\"1\", (String) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n float float0 = Arith.sub((-1.0F), (-1.0F));\n assertEquals(0.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n float float0 = Arith.sub((-82459.84F), 80492.0F);\n assertEquals((-162951.84F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n double double0 = Arith.sub(1.0, 1.0);\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n double double0 = Arith.sub(0.0, 30241.346506260976);\n assertEquals((-30241.346506260976), double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n float float0 = Arith.round(0.0F, 10963);\n assertEquals(0.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n float float0 = Arith.round((-82459.84F), 61429);\n assertEquals((-82459.84F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n double double0 = Arith.round(25686.977896947, 3380);\n assertEquals(25686.977896947, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n double double0 = Arith.round((-21697.8219263), 0);\n assertEquals((-21698.0), double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n float float0 = Arith.mul(3012.7222F, 3012.7222F);\n assertEquals(9076495.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n float float0 = Arith.mul((-59083.457F), 38101.2F);\n assertEquals((-2.25115059E9F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n double double0 = Arith.mul((-93028.9364732), (-93028.9364732));\n assertEquals(8.65438302133468E9, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n double double0 = Arith.mul(1.0, (-40414.09));\n assertEquals((-40414.09), double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n String string0 = Arith.div(\"1\", \"1\", 0);\n assertEquals(\"1\", string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n float float0 = Arith.div(0.0F, 92420.01F, 0);\n assertEquals(0.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n float float0 = Arith.div((-1.0F), (-1.0F), 28218);\n assertEquals(1.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n float float0 = Arith.div((-9264.6F), 52715.5F, 28218);\n assertEquals((-0.17574717F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Arith.div(1.0, 1.0, 0);\n // Undeclared exception!\n try { \n Arith.sub(\"\", \"^Z=+KaIMh&Zc=a\");\n fail(\"Expecting exception: NumberFormatException\");\n \n } catch(NumberFormatException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.math.BigDecimal\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n double double0 = Arith.div(1.0, (double) (-1.0F), 83373);\n assertEquals((-1.0), double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n float float0 = Arith.add(0.0F, 0.0F);\n assertEquals(0.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n float float0 = Arith.add((-1.0F), (-1.0F));\n assertEquals((-2.0F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n double double0 = Arith.add(0.0, (double) 51893.0F);\n assertEquals(51893.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n double double0 = Arith.add((-42285.43973221758), (-42285.43973221758));\n assertEquals((-84570.87946443516), double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n // Undeclared exception!\n try { \n Arith.round(\"\", (-1));\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // The scale must be a positive integer or zero\n //\n verifyException(\"Arith\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n // Undeclared exception!\n try { \n Arith.round((-1.0F), (-79476));\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // The scale must be a positive integer or zero\n //\n verifyException(\"Arith\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n float float0 = Arith.round(85337.0F, 0);\n assertEquals(85337.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n // Undeclared exception!\n try { \n Arith.round((-3602.16679906441), (-43405));\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // The scale must be a positive integer or zero\n //\n verifyException(\"Arith\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test30() throws Throwable {\n Arith.round(0.0, 54642);\n // Undeclared exception!\n try { \n Arith.div((float) 54642, 0.0F, 54642);\n fail(\"Expecting exception: ArithmeticException\");\n \n } catch(ArithmeticException e) {\n //\n // BigInteger divide by zero\n //\n verifyException(\"java.math.MutableBigInteger\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test31() throws Throwable {\n // Undeclared exception!\n try { \n Arith.div(\"I3TP!?\", \"Arith\", (-1));\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // The scale must be a positive integer or zero\n //\n verifyException(\"Arith\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test32() throws Throwable {\n // Undeclared exception!\n try { \n Arith.div((String) null, (String) null, 83373);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test33() throws Throwable {\n // Undeclared exception!\n try { \n Arith.div((-12191.7F), (-12191.7F), (-1));\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // The scale must be a positive integer or zero\n //\n verifyException(\"Arith\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test34() throws Throwable {\n // Undeclared exception!\n try { \n Arith.div(0.0, 0.0, (-28));\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // The scale must be a positive integer or zero\n //\n verifyException(\"Arith\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test35() throws Throwable {\n double double0 = Arith.div((double) 0.0F, (-37976.37), 43157);\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test36() throws Throwable {\n float float0 = Arith.sub(0.0F, (-9865.426F));\n assertEquals(9865.426F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test37() throws Throwable {\n // Undeclared exception!\n try { \n Arith.add(\"*ssAYEiL7H\", \"*ssAYEiL7H\");\n fail(\"Expecting exception: NumberFormatException\");\n \n } catch(NumberFormatException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.math.BigDecimal\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test38() throws Throwable {\n double double0 = Arith.add(0.0, 0.0);\n Arith.round(27322.0F, 1);\n Arith.sub((double) 27322.0F, 0.0);\n Arith.add(27322.0F, 0.0F);\n double double1 = Arith.div((double) 0.0F, (-37976.37), 43157);\n assertEquals(double1, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test39() throws Throwable {\n double double0 = Arith.mul((double) 26881.479F, (double) 0.0F);\n assertEquals(0.0, double0, 1.0E-4);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 19:31:34 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Arith_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Arith\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmppbr5akux\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Arith_ESTest_scaffolding.class.getClassLoader() ,\n \"Arith\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Arith_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Arith\"\n );\n }\n}\n", "class_idx": 24} {"class_name": "PhonebookUpdate", "java_source": "import java.util.HashMap;\nimport java.util.Map;\nimport java.util.Scanner;\n\npublic class PhonebookUpdate {\n public static void main(String[] args) {\n Scanner scan = new Scanner(System.in);\n Map phonebook = new HashMap<>();\n String line = scan.nextLine();\n while (!\"END\".equals(line)) {\n String[] commandLine = line.split(\"\\\\s\");\n if (\"A\".equals(commandLine[0])) {\n phonebook.put(commandLine[1], commandLine[2]);\n } else if (\"S\".equals(commandLine[0])) {\n if (!phonebook.containsKey(commandLine[1])) {\n System.out.printf(\"Contact %s does not exist.\\n\", commandLine[1]);\n } else {\n System.out.printf(\"%s -> %s\\n\", commandLine[1], phonebook.get(commandLine[1]));\n }\n } else if (\"ListAll\".equals(commandLine[0])) {\n phonebook.entrySet().stream()\n .sorted((a, b) -> a.getKey().compareTo(b.getKey()))\n .forEach(a -> System.out.println(a.getKey() + \" -> \" + a.getValue()));\n }\n line = scan.nextLine();\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PhonebookUpdate \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 8 locals 5 \nL0: new java/util/Scanner \nL3: dup \nL4: getstatic Field java/lang/System in Ljava/io/InputStream; \nL7: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL10: astore_1 \nL11: new java/util/HashMap \nL14: dup \nL15: invokespecial Method java/util/HashMap ()V \nL18: astore_2 \nL19: aload_1 \nL20: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; \nL23: astore_3 \n\n .stack append Object java/util/Scanner Object java/util/Map Object java/lang/String \nL24: ldc 'END' \nL26: aload_3 \nL27: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL30: ifne L206 \nL33: aload_3 \nL34: ldc '\\\\s' \nL36: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; \nL39: astore 4 \nL41: ldc 'A' \nL43: aload 4 \nL45: iconst_0 \nL46: aaload \nL47: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL50: ifeq L71 \nL53: aload_2 \nL54: aload 4 \nL56: iconst_1 \nL57: aaload \nL58: aload 4 \nL60: iconst_2 \nL61: aaload \nL62: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 \nL67: pop \nL68: goto L198 \n\n .stack append Object [Ljava/lang/String; \nL71: ldc 'S' \nL73: aload 4 \nL75: iconst_0 \nL76: aaload \nL77: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL80: ifeq L155 \nL83: aload_2 \nL84: aload 4 \nL86: iconst_1 \nL87: aaload \nL88: invokeinterface InterfaceMethod java/util/Map containsKey (Ljava/lang/Object;)Z 2 \nL93: ifne L119 \nL96: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL99: ldc 'Contact %s does not exist.\\n' \nL101: iconst_1 \nL102: anewarray java/lang/Object \nL105: dup \nL106: iconst_0 \nL107: aload 4 \nL109: iconst_1 \nL110: aaload \nL111: aastore \nL112: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; \nL115: pop \nL116: goto L198 \n\n .stack same \nL119: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL122: ldc '%s -> %s\\n' \nL124: iconst_2 \nL125: anewarray java/lang/Object \nL128: dup \nL129: iconst_0 \nL130: aload 4 \nL132: iconst_1 \nL133: aaload \nL134: aastore \nL135: dup \nL136: iconst_1 \nL137: aload_2 \nL138: aload 4 \nL140: iconst_1 \nL141: aaload \nL142: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 \nL147: aastore \nL148: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; \nL151: pop \nL152: goto L198 \n\n .stack same \nL155: ldc 'ListAll' \nL157: aload 4 \nL159: iconst_0 \nL160: aaload \nL161: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL164: ifeq L198 \nL167: aload_2 \nL168: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1 \nL173: invokeinterface InterfaceMethod java/util/Set stream ()Ljava/util/stream/Stream; 1 \nL178: invokedynamic [id25] \nL183: invokeinterface InterfaceMethod java/util/stream/Stream sorted (Ljava/util/Comparator;)Ljava/util/stream/Stream; 2 \nL188: invokedynamic [id27] \nL193: invokeinterface InterfaceMethod java/util/stream/Stream forEach (Ljava/util/function/Consumer;)V 2 \n\n .stack same \nL198: aload_1 \nL199: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; \nL202: astore_3 \nL203: goto L24 \n\n .stack chop 1 \nL206: return \nL207: \n .linenumbertable \n L0 9 \n L11 10 \n L19 11 \n L24 12 \n L33 13 \n L41 14 \n L53 15 \n L71 16 \n L83 17 \n L96 18 \n L119 20 \n L155 22 \n L167 23 \n L193 24 \n L198 26 \n L203 27 \n L206 28 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$main$1 : (Ljava/util/Map$Entry;)V \n .code stack 3 locals 1 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: new java/lang/StringBuilder \nL6: dup \nL7: invokespecial Method java/lang/StringBuilder ()V \nL10: aload_0 \nL11: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 \nL16: checkcast java/lang/String \nL19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL22: ldc ' -> ' \nL24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL27: aload_0 \nL28: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 \nL33: checkcast java/lang/String \nL36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL39: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL42: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL45: return \nL46: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$main$0 : (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 \nL6: checkcast java/lang/String \nL9: aload_1 \nL10: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 \nL15: checkcast java/lang/String \nL18: invokevirtual Method java/lang/String compareTo (Ljava/lang/String;)I \nL21: ireturn \nL22: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PhonebookUpdate.java' \n.innerclasses \n java/util/Map$Entry java/util/Map Entry public static interface abstract \n java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final \n.end innerclasses \n.const [id25] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;Ljava/lang/Object;)I MethodHandle invokeStatic Method PhonebookUpdate lambda$main$0 (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I MethodType (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I : compare ()Ljava/util/Comparator; \n.const [id27] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;)V MethodHandle invokeStatic Method PhonebookUpdate lambda$main$1 (Ljava/util/Map$Entry;)V MethodType (Ljava/util/Map$Entry;)V : accept ()Ljava/util/function/Consumer; \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 16:22:47 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.NoSuchElementException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PhonebookUpdate_ESTest extends PhonebookUpdate_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInUtil.addInputLine(\"V/W>}68n\");\n String[] stringArray0 = new String[3];\n // Undeclared exception!\n try { \n PhonebookUpdate.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // No line found\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SystemInUtil.addInputLine(\"S\");\n String[] stringArray0 = null;\n // Undeclared exception!\n try { \n PhonebookUpdate.main((String[]) null);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 1\n //\n verifyException(\"PhonebookUpdate\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String[] stringArray0 = new String[5];\n SystemInUtil.addInputLine(\"PhonebookUpdate\");\n SystemInUtil.addInputLine(\"ListAll\");\n // Undeclared exception!\n try { \n PhonebookUpdate.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // No line found\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n SystemInUtil.addInputLine(\"A\");\n String[] stringArray0 = new String[1];\n // Undeclared exception!\n try { \n PhonebookUpdate.main(stringArray0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 1\n //\n verifyException(\"PhonebookUpdate\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n SystemInUtil.addInputLine(\"END\");\n String[] stringArray0 = new String[5];\n PhonebookUpdate.main(stringArray0);\n // Undeclared exception!\n try { \n PhonebookUpdate.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // No line found\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n PhonebookUpdate phonebookUpdate0 = new PhonebookUpdate();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 16:22:47 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PhonebookUpdate_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PhonebookUpdate\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp4w4cgezv\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PhonebookUpdate_ESTest_scaffolding.class.getClassLoader() ,\n \"PhonebookUpdate\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PhonebookUpdate_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PhonebookUpdate\"\n );\n }\n}\n", "class_idx": 25} {"class_name": "PeakRidge", "java_source": "/*\n * Author: Chih-Chiang Tsou \n * Nesvizhskii Lab, Department of Computational Medicine and Bioinformatics,\n * University of Michigan, Ann Arbor\n *\n * Copyright 2014 University of Michigan, Ann Arbor, MI\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.io.Serializable;\n\n/**\n * Peak ridge class (described in Tautenhahn, R., Bottcher, C. & Neumann, S. Highly sensitive\n * feature detection for high resolution LC/MS. BMC Bioinformatics 9, 504 (2008).\n *\n * @author Chih-Chiang Tsou \n */\npublic class PeakRidge implements Comparable, Serializable {\n\n public float RT;\n public int lowScale;\n public int ContinuousLevel = 0;\n public float intensity;\n\n @Override\n public int compareTo(PeakRidge o) {\n return Float.compare(o.RT, RT);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PeakRidge \n.super java/lang/Object \n.implements java/lang/Comparable \n.implements java/io/Serializable \n.field public RT F \n.field public lowScale I \n.field public ContinuousLevel I \n.field public intensity F \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field PeakRidge ContinuousLevel I \nL9: return \nL10: \n .linenumbertable \n L0 32 \n L4 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public compareTo : (LPeakRidge;)I \n .code stack 2 locals 2 \nL0: aload_1 \nL1: getfield Field PeakRidge RT F \nL4: aload_0 \nL5: getfield Field PeakRidge RT F \nL8: invokestatic Method java/lang/Float compare (FF)I \nL11: ireturn \nL12: \n .linenumbertable \n L0 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public bridge synthetic compareTo : (Ljava/lang/Object;)I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: checkcast PeakRidge \nL5: invokevirtual Method PeakRidge compareTo (LPeakRidge;)I \nL8: ireturn \nL9: \n .linenumbertable \n L0 32 \n .end linenumbertable \n .end code \n.end method \n.signature Ljava/lang/Object;Ljava/lang/Comparable;Ljava/io/Serializable; \n.sourcefile 'PeakRidge.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 01:57:19 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PeakRidge_ESTest extends PeakRidge_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n PeakRidge peakRidge0 = new PeakRidge();\n PeakRidge peakRidge1 = new PeakRidge();\n peakRidge1.RT = 42694.51F;\n int int0 = peakRidge0.compareTo(peakRidge1);\n assertEquals(1, int0);\n assertEquals(0, peakRidge1.ContinuousLevel);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n PeakRidge peakRidge0 = new PeakRidge();\n PeakRidge peakRidge1 = new PeakRidge();\n peakRidge1.RT = 42694.51F;\n int int0 = peakRidge1.compareTo(peakRidge0);\n assertEquals((-1), int0);\n assertEquals(0, peakRidge1.ContinuousLevel);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n PeakRidge peakRidge0 = new PeakRidge();\n int int0 = peakRidge0.compareTo(peakRidge0);\n assertEquals(0, peakRidge0.ContinuousLevel);\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 01:57:19 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PeakRidge_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PeakRidge\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp10sbvwx_\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PeakRidge_ESTest_scaffolding.class.getClassLoader() ,\n \"PeakRidge\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PeakRidge_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PeakRidge\"\n );\n }\n}\n", "class_idx": 26} {"class_name": "Fontes", "java_source": "import java.awt.Font;\n\n/**\n * @author Vinicius Silva\n */\npublic class Fontes {\n\n public static Font getBelwe(int size) {\n try {\n Font font =\n Font.createFont(\n Font.TRUETYPE_FONT,\n Fontes.class.getResourceAsStream(\"/com/limagiran/hearthstone/util/belwe.ttf\"));\n font = font.deriveFont(Font.BOLD, size);\n return font;\n } catch (Exception ex) {\n }\n return new Font(\"Tahoma\", Font.BOLD, size);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Fontes \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getBelwe : (I)Ljava/awt/Font; \n .code stack 5 locals 2 \n .catch java/lang/Exception from L0 to L21 using L22 \nL0: iconst_0 \nL1: ldc Class Fontes \nL3: ldc '/com/limagiran/hearthstone/util/belwe.ttf' \nL5: invokevirtual Method java/lang/Class getResourceAsStream (Ljava/lang/String;)Ljava/io/InputStream; \nL8: invokestatic Method java/awt/Font createFont (ILjava/io/InputStream;)Ljava/awt/Font; \nL11: astore_1 \nL12: aload_1 \nL13: iconst_1 \nL14: iload_0 \nL15: i2f \nL16: invokevirtual Method java/awt/Font deriveFont (IF)Ljava/awt/Font; \nL19: astore_1 \nL20: aload_1 \nL21: areturn \n\n .stack stack_1 Object java/lang/Exception \nL22: astore_1 \nL23: new java/awt/Font \nL26: dup \nL27: ldc 'Tahoma' \nL29: iconst_1 \nL30: iload_0 \nL31: invokespecial Method java/awt/Font (Ljava/lang/String;II)V \nL34: areturn \nL35: \n .linenumbertable \n L0 13 \n L12 14 \n L20 15 \n L22 16 \n L23 18 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Fontes.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 09:10:16 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.awt.Font;\nimport java.util.concurrent.ExecutorService;\nimport java.util.concurrent.Executors;\nimport java.util.concurrent.Future;\nimport java.util.concurrent.TimeUnit;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Fontes_ESTest extends Fontes_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Future future = executor.submit(new Runnable(){ \n @Override public void run() { \n Font font0 = Fontes.getBelwe(0);\n assertFalse(font0.isPlain());\n assertEquals(\"Tahoma\", font0.getName());\n } \n });\n future.get(4000, TimeUnit.MILLISECONDS);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Future future = executor.submit(new Runnable(){ \n @Override public void run() { \n Font font0 = Fontes.getBelwe(43068);\n assertFalse(font0.isPlain());\n assertEquals(\"Tahoma\", font0.getName());\n assertEquals(43068, font0.getSize());\n } \n });\n future.get(4000, TimeUnit.MILLISECONDS);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Future future = executor.submit(new Runnable(){ \n @Override public void run() { \n Font font0 = Fontes.getBelwe((-65144));\n assertFalse(font0.isPlain());\n assertEquals(\"Tahoma\", font0.getName());\n assertEquals((-65144), font0.getSize());\n } \n });\n future.get(4000, TimeUnit.MILLISECONDS);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Fontes fontes0 = new Fontes();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 09:10:16 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\nimport java.util.concurrent.ExecutorService;\nimport java.util.concurrent.Executors;\nimport java.util.concurrent.Future;\nimport java.util.concurrent.TimeUnit;\n\n@EvoSuiteClassExclude\npublic class Fontes_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n protected static ExecutorService executor; \n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Fontes\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n executor = Executors.newCachedThreadPool(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n executor.shutdownNow(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp9fgeidow\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Fontes_ESTest_scaffolding.class.getClassLoader() ,\n \"Fontes\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Fontes_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Fontes\"\n );\n }\n}\n", "class_idx": 27} {"class_name": "Test", "java_source": "import java.util.Set;\n\npublic class Test {\n String str = new String(\"good\");\n char[] ch = {'a', 'b', 'c'};\n\n public static void main(String[] args) {\n /*int x = test();\n System.out.println(\"main === \"+x);*/\n /*testRenMinBi(12345);\n Object []array = new Long[1];\n array[0]=\"i am maosx.\";\n\n Set integers = new HashSet<>();\n Set doubles = new HashSet<>();\n Test.union(integers, doubles);*/\n String s1 = \"hello\";\n String s2 = \"he\" + new String(\"llo\");\n System.out.println(s1 == s2);\n\n Test test = new Test();\n test.change(test.str, test.ch);\n System.out.println(test.str + \" and \");\n System.out.println(test.ch);\n }\n\n public void change(String str, char ch[]) {\n str = \"test ok\";\n ch[0] = 'g';\n }\n\n public static Set union(Set src, Set dest) {\n return null;\n }\n\n public static int test() {\n int x = 1;\n try {\n return x;\n } finally {\n ++x;\n System.out.println(\"==== \" + x);\n }\n }\n\n public static void testRenMinBi(int money) {\n char[] data = new char[] {'\u96f6', '\u58f9', '\u8d30', '\u53c1', '\u8086', '\u4f0d', '\u9646', '\u67d2', '\u634c', '\u7396'};\n\n char[] units = new char[] {'\u5143', '\u62fe', '\u4f70', '\u4edf', '\u4e07', '\u62fe', '\u4f70', '\u4edf', '\u4ebf'};\n\n StringBuffer sbf = new StringBuffer();\n int unit = 0;\n while (money != 0) {\n sbf.insert(0, units[unit++]);\n int number = money % 10;\n sbf.insert(0, data[number]);\n money /= 10;\n }\n\n System.out.println(sbf.toString());\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Test \n.super java/lang/Object \n.field str Ljava/lang/String; \n.field ch [C \n\n.method public : ()V \n .code stack 5 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/lang/String \nL8: dup \nL9: ldc 'good' \nL11: invokespecial Method java/lang/String (Ljava/lang/String;)V \nL14: putfield Field Test str Ljava/lang/String; \nL17: aload_0 \nL18: iconst_3 \nL19: newarray char \nL21: dup \nL22: iconst_0 \nL23: bipush 97 \nL25: castore \nL26: dup \nL27: iconst_1 \nL28: bipush 98 \nL30: castore \nL31: dup \nL32: iconst_2 \nL33: bipush 99 \nL35: castore \nL36: putfield Field Test ch [C \nL39: return \nL40: \n .linenumbertable \n L0 9 \n L4 10 \n L17 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 4 locals 4 \nL0: ldc 'hello' \nL2: astore_1 \nL3: new java/lang/StringBuilder \nL6: dup \nL7: invokespecial Method java/lang/StringBuilder ()V \nL10: ldc 'he' \nL12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL15: new java/lang/String \nL18: dup \nL19: ldc 'llo' \nL21: invokespecial Method java/lang/String (Ljava/lang/String;)V \nL24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL27: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL30: astore_2 \nL31: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL34: aload_1 \nL35: aload_2 \nL36: if_acmpne L43 \nL39: iconst_1 \nL40: goto L44 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/lang/String Object java/lang/String \n stack Object java/io/PrintStream \n .end stack \nL43: iconst_0 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/lang/String Object java/lang/String \n stack Object java/io/PrintStream Integer \n .end stack \nL44: invokevirtual Method java/io/PrintStream println (Z)V \nL47: new Test \nL50: dup \nL51: invokespecial Method Test ()V \nL54: astore_3 \nL55: aload_3 \nL56: aload_3 \nL57: getfield Field Test str Ljava/lang/String; \nL60: aload_3 \nL61: getfield Field Test ch [C \nL64: invokevirtual Method Test change (Ljava/lang/String;[C)V \nL67: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL70: new java/lang/StringBuilder \nL73: dup \nL74: invokespecial Method java/lang/StringBuilder ()V \nL77: aload_3 \nL78: getfield Field Test str Ljava/lang/String; \nL81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL84: ldc ' and ' \nL86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL89: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL92: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL95: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL98: aload_3 \nL99: getfield Field Test ch [C \nL102: invokevirtual Method java/io/PrintStream println ([C)V \nL105: return \nL106: \n .linenumbertable \n L0 22 \n L3 23 \n L31 24 \n L47 29 \n L55 30 \n L67 31 \n L95 32 \n L105 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public change : (Ljava/lang/String;[C)V \n .code stack 3 locals 3 \nL0: ldc 'test ok' \nL2: astore_1 \nL3: aload_2 \nL4: iconst_0 \nL5: bipush 103 \nL7: castore \nL8: return \nL9: \n .linenumbertable \n L0 36 \n L3 37 \n L8 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public static union : (Ljava/util/Set;Ljava/util/Set;)Ljava/util/Set; \n .code stack 1 locals 2 \nL0: aconst_null \nL1: areturn \nL2: \n .linenumbertable \n L0 42 \n .end linenumbertable \n .end code \n .signature '(Ljava/util/Set<+TE;>;Ljava/util/Set<+TE;>;)Ljava/util/Set;' \n.end method \n\n.method public static test : ()I \n .code stack 3 locals 3 \nL0: iconst_1 \nL1: istore_0 \n .catch [0] from L2 to L4 using L34 \nL2: iload_0 \nL3: istore_1 \nL4: iinc 0 1 \nL7: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL10: new java/lang/StringBuilder \nL13: dup \nL14: invokespecial Method java/lang/StringBuilder ()V \nL17: ldc '==== ' \nL19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL22: iload_0 \nL23: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL32: iload_1 \nL33: ireturn \n\n .stack full \n locals Integer \n stack Object java/lang/Throwable \n .end stack \nL34: astore_2 \nL35: iinc 0 1 \nL38: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL41: new java/lang/StringBuilder \nL44: dup \nL45: invokespecial Method java/lang/StringBuilder ()V \nL48: ldc '==== ' \nL50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL53: iload_0 \nL54: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL57: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL60: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL63: aload_2 \nL64: athrow \nL65: \n .linenumbertable \n L0 46 \n L2 48 \n L4 50 \n L7 51 \n L32 48 \n L34 50 \n L38 51 \n L63 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public static testRenMinBi : (I)V \n .code stack 4 locals 6 \nL0: bipush 10 \nL2: newarray char \nL4: dup \nL5: iconst_0 \nL6: ldc 38646 \nL8: castore \nL9: dup \nL10: iconst_1 \nL11: sipush 22777 \nL14: castore \nL15: dup \nL16: iconst_2 \nL17: ldc 36144 \nL19: castore \nL20: dup \nL21: iconst_3 \nL22: sipush 21441 \nL25: castore \nL26: dup \nL27: iconst_4 \nL28: ldc 32902 \nL30: castore \nL31: dup \nL32: iconst_5 \nL33: sipush 20237 \nL36: castore \nL37: dup \nL38: bipush 6 \nL40: ldc 38470 \nL42: castore \nL43: dup \nL44: bipush 7 \nL46: sipush 26578 \nL49: castore \nL50: dup \nL51: bipush 8 \nL53: sipush 25420 \nL56: castore \nL57: dup \nL58: bipush 9 \nL60: sipush 29590 \nL63: castore \nL64: astore_1 \nL65: bipush 9 \nL67: newarray char \nL69: dup \nL70: iconst_0 \nL71: sipush 20803 \nL74: castore \nL75: dup \nL76: iconst_1 \nL77: sipush 25342 \nL80: castore \nL81: dup \nL82: iconst_2 \nL83: sipush 20336 \nL86: castore \nL87: dup \nL88: iconst_3 \nL89: sipush 20191 \nL92: castore \nL93: dup \nL94: iconst_4 \nL95: sipush 19975 \nL98: castore \nL99: dup \nL100: iconst_5 \nL101: sipush 25342 \nL104: castore \nL105: dup \nL106: bipush 6 \nL108: sipush 20336 \nL111: castore \nL112: dup \nL113: bipush 7 \nL115: sipush 20191 \nL118: castore \nL119: dup \nL120: bipush 8 \nL122: sipush 20159 \nL125: castore \nL126: astore_2 \nL127: new java/lang/StringBuffer \nL130: dup \nL131: invokespecial Method java/lang/StringBuffer ()V \nL134: astore_3 \nL135: iconst_0 \nL136: istore 4 \n\n .stack full \n locals Integer Object [C Object [C Object java/lang/StringBuffer Integer \n stack \n .end stack \nL138: iload_0 \nL139: ifeq L179 \nL142: aload_3 \nL143: iconst_0 \nL144: aload_2 \nL145: iload 4 \nL147: iinc 4 1 \nL150: caload \nL151: invokevirtual Method java/lang/StringBuffer insert (IC)Ljava/lang/StringBuffer; \nL154: pop \nL155: iload_0 \nL156: bipush 10 \nL158: irem \nL159: istore 5 \nL161: aload_3 \nL162: iconst_0 \nL163: aload_1 \nL164: iload 5 \nL166: caload \nL167: invokevirtual Method java/lang/StringBuffer insert (IC)Ljava/lang/StringBuffer; \nL170: pop \nL171: iload_0 \nL172: bipush 10 \nL174: idiv \nL175: istore_0 \nL176: goto L138 \n\n .stack same \nL179: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL182: aload_3 \nL183: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; \nL186: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL189: return \nL190: \n .linenumbertable \n L0 56 \n L65 60 \n L127 64 \n L135 65 \n L138 66 \n L142 67 \n L155 68 \n L161 69 \n L171 70 \n L176 71 \n L179 73 \n L189 74 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Test.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 13:48:02 GMT 2022\n */\n\n\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.LinkedHashSet;\nimport java.util.Set;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Test_ESTest extends Test_ESTest_scaffolding {\n\n @org.junit.Test(timeout = 4000)\n public void test0() throws Throwable {\n // Undeclared exception!\n try { \n Test.testRenMinBi((-3628));\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // -8\n //\n verifyException(\"Test\", e);\n }\n }\n\n @org.junit.Test(timeout = 4000)\n public void test1() throws Throwable {\n Test.testRenMinBi(1);\n }\n\n @org.junit.Test(timeout = 4000)\n public void test2() throws Throwable {\n String[] stringArray0 = new String[4];\n Test.main(stringArray0);\n assertEquals(4, stringArray0.length);\n }\n\n @org.junit.Test(timeout = 4000)\n public void test3() throws Throwable {\n int int0 = Test.test();\n assertEquals(1, int0);\n }\n\n @org.junit.Test(timeout = 4000)\n public void test4() throws Throwable {\n LinkedHashSet linkedHashSet0 = new LinkedHashSet();\n Set set0 = Test.union((Set) linkedHashSet0, (Set) linkedHashSet0);\n assertNull(set0);\n }\n\n @org.junit.Test(timeout = 4000)\n public void test5() throws Throwable {\n Test test0 = new Test();\n char[] charArray0 = new char[2];\n test0.change(\"\", charArray0);\n LinkedHashSet linkedHashSet0 = new LinkedHashSet();\n Test.union((Set) linkedHashSet0, (Set) linkedHashSet0);\n String[] stringArray0 = new String[4];\n Test.testRenMinBi(1);\n Test.union((Set) null, (Set) null);\n Test.main(stringArray0);\n assertEquals(4, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 13:48:02 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Test_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Test\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpsrluw5dj\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test_ESTest_scaffolding.class.getClassLoader() ,\n \"Test\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Test\"\n );\n }\n}\n", "class_idx": 28} {"class_name": "VKException", "java_source": "import java.io.IOException;\n\n/**\n * Thrown when server vk could not handle the request see website to get description of error codes:\n * http://vk.com/dev/errors\n *\n *

Check {@link ErrorCodes} to get descriptions of error codes.\n */\npublic class VKException extends IOException {\n public String url;\n public String message;\n public int code;\n\n /** Captcha ID, see http://vk.com/dev/captcha_error */\n public String captchaSid;\n /**\n * Link to image, you want to show the user, that he typed text from this image\n *\n *

see http://vk.com/dev/captcha_error\n */\n public String captchaImg;\n\n /**\n * In some cases, VK requires passing a validation procedure of the user, resulting in since\n * version 5.0 API (for older versions will be prompted captcha_error) any request to API the\n * following error is returned\n *\n *

see http://vk.com/dev/need_validation\n */\n public String redirectUri;\n\n /**\n * Constructs a new {@code VKException}\n *\n * @param url the url of executed request\n * @param message the detail error message for this exception\n * @param code the error code\n */\n public VKException(String url, String message, int code) {\n super(message);\n this.url = url;\n this.message = message;\n this.code = code;\n }\n\n @Override\n public String toString() {\n return \"code: \" + code + \", message: \" + message;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super VKException \n.super java/io/IOException \n.field public url Ljava/lang/String; \n.field public message Ljava/lang/String; \n.field public code I \n.field public captchaSid Ljava/lang/String; \n.field public captchaImg Ljava/lang/String; \n.field public redirectUri Ljava/lang/String; \n\n.method public : (Ljava/lang/String;Ljava/lang/String;I)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: aload_2 \nL2: invokespecial Method java/io/IOException (Ljava/lang/String;)V \nL5: aload_0 \nL6: aload_1 \nL7: putfield Field VKException url Ljava/lang/String; \nL10: aload_0 \nL11: aload_2 \nL12: putfield Field VKException message Ljava/lang/String; \nL15: aload_0 \nL16: iload_3 \nL17: putfield Field VKException code I \nL20: return \nL21: \n .linenumbertable \n L0 48 \n L5 49 \n L10 50 \n L15 51 \n L20 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'code: ' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field VKException code I \nL16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL19: ldc ', message: ' \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL24: aload_0 \nL25: getfield Field VKException message Ljava/lang/String; \nL28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL34: areturn \nL35: \n .linenumbertable \n L0 56 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'VKException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 11:38:54 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class VKException_ESTest extends VKException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n VKException vKException0 = new VKException(\"K`\", \"K`\", 0);\n String string0 = vKException0.toString();\n assertEquals(\"code: 0, message: K`\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 11:38:54 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class VKException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"VKException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp9e7btwqc\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(VKException_ESTest_scaffolding.class.getClassLoader() ,\n \"VKException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(VKException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"VKException\"\n );\n }\n}\n", "class_idx": 29} {"class_name": "JobThread", "java_source": "import java.util.UUID;\n\n/**\n * @author liaoheng\n * @version 2018-08-16 14:44\n */\npublic abstract class JobThread extends Thread {\n\n public JobThread(String name) {\n super(name + \" : \" + UUID.randomUUID());\n setDaemon(true);\n }\n\n protected volatile boolean isRunning;\n\n public synchronized boolean isRunning() {\n return isRunning;\n }\n\n public synchronized void start() {\n if (isRunning()) {\n return;\n }\n super.start();\n isRunning = true;\n }\n\n public synchronized void shutdown() {\n isRunning = false;\n interrupt();\n }\n\n @Override\n public void run() {\n try {\n process();\n } catch (InterruptedException ignored) {\n }\n }\n\n protected abstract void process() throws InterruptedException;\n}\n", "jasm_code": ".version 52 0 \n.class public super abstract JobThread \n.super java/lang/Thread \n.field protected volatile isRunning Z \n\n.method public : (Ljava/lang/String;)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: new java/lang/StringBuilder \nL4: dup \nL5: invokespecial Method java/lang/StringBuilder ()V \nL8: aload_1 \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: ldc ' : ' \nL14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL17: invokestatic Method java/util/UUID randomUUID ()Ljava/util/UUID; \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL26: invokespecial Method java/lang/Thread (Ljava/lang/String;)V \nL29: aload_0 \nL30: iconst_1 \nL31: invokevirtual Method JobThread setDaemon (Z)V \nL34: return \nL35: \n .linenumbertable \n L0 12 \n L29 13 \n L34 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public synchronized isRunning : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field JobThread isRunning Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public synchronized start : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokevirtual Method JobThread isRunning ()Z \nL4: ifeq L8 \nL7: return \n\n .stack same \nL8: aload_0 \nL9: invokespecial Method java/lang/Thread start ()V \nL12: aload_0 \nL13: iconst_1 \nL14: putfield Field JobThread isRunning Z \nL17: return \nL18: \n .linenumbertable \n L0 23 \n L7 24 \n L8 26 \n L12 27 \n L17 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public synchronized shutdown : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: putfield Field JobThread isRunning Z \nL5: aload_0 \nL6: invokevirtual Method JobThread interrupt ()V \nL9: return \nL10: \n .linenumbertable \n L0 31 \n L5 32 \n L9 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public run : ()V \n .code stack 1 locals 2 \n .catch java/lang/InterruptedException from L0 to L4 using L7 \nL0: aload_0 \nL1: invokevirtual Method JobThread process ()V \nL4: goto L8 \n\n .stack stack_1 Object java/lang/InterruptedException \nL7: astore_1 \n\n .stack same \nL8: return \nL9: \n .linenumbertable \n L0 38 \n L4 40 \n L7 39 \n L8 41 \n .end linenumbertable \n .end code \n.end method \n\n.method protected abstract process : ()V \n .exceptions java/lang/InterruptedException \n.end method \n.sourcefile 'JobThread.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 04:29:06 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class JobThread_ESTest extends JobThread_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 04:29:06 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class JobThread_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"JobThread\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JobThread_ESTest_scaffolding.class.getClassLoader() ,\n \"JobThread\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JobThread_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"JobThread\"\n );\n }\n}\n", "class_idx": 30} {"class_name": "AutoConverterNotRegisteredException", "java_source": "public class AutoConverterNotRegisteredException extends RuntimeException {\n public AutoConverterNotRegisteredException(Class fromClass, Class toClass) {\n super(\n \"No AutoConverter registered for converting from '\"\n + fromClass.getName()\n + \"' to '\"\n + toClass.getName()\n + \"'\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super AutoConverterNotRegisteredException \n.super java/lang/RuntimeException \n\n.method public : (Ljava/lang/Class;Ljava/lang/Class;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: new java/lang/StringBuilder \nL4: dup \nL5: invokespecial Method java/lang/StringBuilder ()V \nL8: ldc \"No AutoConverter registered for converting from '\" \nL10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL13: aload_1 \nL14: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; \nL17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL20: ldc \"' to '\" \nL22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL25: aload_2 \nL26: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; \nL29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL32: ldc \"'\" \nL34: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL37: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL40: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL43: return \nL44: \n .linenumbertable \n L0 5 \n L43 6 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/Class<*>;Ljava/lang/Class<*>;)V \n.end method \n.sourcefile 'AutoConverterNotRegisteredException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 15:43:42 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class AutoConverterNotRegisteredException_ESTest extends AutoConverterNotRegisteredException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Class class0 = Object.class;\n AutoConverterNotRegisteredException autoConverterNotRegisteredException0 = new AutoConverterNotRegisteredException(class0, class0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 15:43:42 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class AutoConverterNotRegisteredException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"AutoConverterNotRegisteredException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp2tuywrp_\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AutoConverterNotRegisteredException_ESTest_scaffolding.class.getClassLoader() ,\n \"AutoConverterNotRegisteredException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AutoConverterNotRegisteredException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"AutoConverterNotRegisteredException\"\n );\n }\n}\n", "class_idx": 31} {"class_name": "Core", "java_source": "/**\n * Eclipse Public License - v 1.0\n *\n *

THE ACCOMPANYING PROGRAM IS PROVIDED UNDER THE TERMS OF THIS ECLIPSE PUBLIC LICENSE\n * (\"AGREEMENT\"). ANY USE, REPRODUCTION OR DISTRIBUTION OF THE PROGRAM CONSTITUTES RECIPIENT'S\n * ACCEPTANCE OF THIS AGREEMENT.\n *\n *

1. DEFINITIONS\n *\n *

\"Contribution\" means:\n *\n *

a) in the case of the initial Contributor, the initial code and documentation distributed\n * under this Agreement, and b) in the case of each subsequent Contributor: i) changes to the\n * Program, and ii) additions to the Program; where such changes and/or additions to the Program\n * originate from and are distributed by that particular Contributor. A Contribution 'originates'\n * from a Contributor if it was added to the Program by such Contributor itself or anyone acting on\n * such Contributor's behalf. Contributions do not include additions to the Program which: (i) are\n * separate modules of software distributed in conjunction with the Program under their own license\n * agreement, and (ii) are not derivative works of the Program. \"Contributor\" means any person or\n * entity that distributes the Program.\n *\n *

\"Licensed Patents\" mean patent claims licensable by a Contributor which are necessarily\n * infringed by the use or sale of its Contribution alone or when combined with the Program.\n *\n *

\"Program\" means the Contributions distributed in accordance with this Agreement.\n *\n *

\"Recipient\" means anyone who receives the Program under this Agreement, including all\n * Contributors.\n *\n *

2. GRANT OF RIGHTS\n *\n *

a) Subject to the terms of this Agreement, each Contributor hereby grants Recipient a\n * non-exclusive, worldwide, royalty-free copyright license to reproduce, prepare derivative works\n * of, publicly display, publicly perform, distribute and sublicense the Contribution of such\n * Contributor, if any, and such derivative works, in source code and object code form. b) Subject\n * to the terms of this Agreement, each Contributor hereby grants Recipient a non-exclusive,\n * worldwide, royalty-free patent license under Licensed Patents to make, use, sell, offer to sell,\n * import and otherwise transfer the Contribution of such Contributor, if any, in source code and\n * object code form. This patent license shall apply to the combination of the Contribution and the\n * Program if, at the time the Contribution is added by the Contributor, such addition of the\n * Contribution causes such combination to be covered by the Licensed Patents. The patent license\n * shall not apply to any other combinations which include the Contribution. No hardware per se is\n * licensed hereunder. c) Recipient understands that although each Contributor grants the licenses\n * to its Contributions set forth herein, no assurances are provided by any Contributor that the\n * Program does not infringe the patent or other intellectual property rights of any other entity.\n * Each Contributor disclaims any liability to Recipient for claims brought by any other entity\n * based on infringement of intellectual property rights or otherwise. As a condition to exercising\n * the rights and licenses granted hereunder, each Recipient hereby assumes sole responsibility to\n * secure any other intellectual property rights needed, if any. For example, if a third party\n * patent license is required to allow Recipient to distribute the Program, it is Recipient's\n * responsibility to acquire that license before distributing the Program. d) Each Contributor\n * represents that to its knowledge it has sufficient copyright rights in its Contribution, if any,\n * to grant the copyright license set forth in this Agreement. 3. REQUIREMENTS\n *\n *

A Contributor may choose to distribute the Program in object code form under its own license\n * agreement, provided that:\n *\n *

a) it complies with the terms and conditions of this Agreement; and b) its license agreement:\n * i) effectively disclaims on behalf of all Contributors all warranties and conditions, express and\n * implied, including warranties or conditions of title and non-infringement, and implied warranties\n * or conditions of merchantability and fitness for a particular purpose; ii) effectively excludes\n * on behalf of all Contributors all liability for damages, including direct, indirect, special,\n * incidental and consequential damages, such as lost profits; iii) states that any provisions which\n * differ from this Agreement are offered by that Contributor alone and not by any other party; and\n * iv) states that source code for the Program is available from such Contributor, and informs\n * licensees how to obtain it in a reasonable manner on or through a medium customarily used for\n * software exchange. When the Program is made available in source code form:\n *\n *

a) it must be made available under this Agreement; and b) a copy of this Agreement must be\n * included with each copy of the Program. Contributors may not remove or alter any copyright\n * notices contained within the Program.\n *\n *

Each Contributor must identify itself as the originator of its Contribution, if any, in a\n * manner that reasonably allows subsequent Recipients to identify the originator of the\n * Contribution.\n *\n *

4. COMMERCIAL DISTRIBUTION\n *\n *

Commercial distributors of software may accept certain responsibilities with respect to end\n * users, business partners and the like. While this license is intended to facilitate the\n * commercial use of the Program, the Contributor who includes the Program in a commercial product\n * offering should do so in a manner which does not create potential liability for other\n * Contributors. Therefore, if a Contributor includes the Program in a commercial product offering,\n * such Contributor (\"Commercial Contributor\") hereby agrees to defend and indemnify every other\n * Contributor (\"Indemnified Contributor\") against any losses, damages and costs (collectively\n * \"Losses\") arising from claims, lawsuits and other legal actions brought by a third party against\n * the Indemnified Contributor to the extent caused by the acts or omissions of such Commercial\n * Contributor in connection with its distribution of the Program in a commercial product offering.\n * The obligations in this section do not apply to any claims or Losses relating to any actual or\n * alleged intellectual property infringement. In order to qualify, an Indemnified Contributor must:\n * a) promptly notify the Commercial Contributor in writing of such claim, and b) allow the\n * Commercial Contributor to control, and cooperate with the Commercial Contributor in, the defense\n * and any related settlement negotiations. The Indemnified Contributor may participate in any such\n * claim at its own expense.\n *\n *

For example, a Contributor might include the Program in a commercial product offering, Product\n * X. That Contributor is then a Commercial Contributor. If that Commercial Contributor then makes\n * performance claims, or offers warranties related to Product X, those performance claims and\n * warranties are such Commercial Contributor's responsibility alone. Under this section, the\n * Commercial Contributor would have to defend claims against the other Contributors related to\n * those performance claims and warranties, and if a court requires any other Contributor to pay any\n * damages as a result, the Commercial Contributor must pay those damages.\n *\n *

5. NO WARRANTY\n *\n *

EXCEPT AS EXPRESSLY SET FORTH IN THIS AGREEMENT, THE PROGRAM IS PROVIDED ON AN \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED INCLUDING, WITHOUT\n * LIMITATION, ANY WARRANTIES OR CONDITIONS OF TITLE, NON-INFRINGEMENT, MERCHANTABILITY OR FITNESS\n * FOR A PARTICULAR PURPOSE. Each Recipient is solely responsible for determining the\n * appropriateness of using and distributing the Program and assumes all risks associated with its\n * exercise of rights under this Agreement , including but not limited to the risks and costs of\n * program errors, compliance with applicable laws, damage to or loss of data, programs or\n * equipment, and unavailability or interruption of operations.\n *\n *

6. DISCLAIMER OF LIABILITY\n *\n *

EXCEPT AS EXPRESSLY SET FORTH IN THIS AGREEMENT, NEITHER RECIPIENT NOR ANY CONTRIBUTORS SHALL\n * HAVE ANY LIABILITY FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\n * DAMAGES (INCLUDING WITHOUT LIMITATION LOST PROFITS), HOWEVER CAUSED AND ON ANY THEORY OF\n * LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n * ARISING IN ANY WAY OUT OF THE USE OR DISTRIBUTION OF THE PROGRAM OR THE EXERCISE OF ANY RIGHTS\n * GRANTED HEREUNDER, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGES.\n *\n *

7. GENERAL\n *\n *

If any provision of this Agreement is invalid or unenforceable under applicable law, it shall\n * not affect the validity or enforceability of the remainder of the terms of this Agreement, and\n * without further action by the parties hereto, such provision shall be reformed to the minimum\n * extent necessary to make such provision valid and enforceable.\n *\n *

If Recipient institutes patent litigation against any entity (including a cross-claim or\n * counterclaim in a lawsuit) alleging that the Program itself (excluding combinations of the\n * Program with other software or hardware) infringes such Recipient's patent(s), then such\n * Recipient's rights granted under Section 2(b) shall terminate as of the date such litigation is\n * filed.\n *\n *

All Recipient's rights under this Agreement shall terminate if it fails to comply with any of\n * the material terms or conditions of this Agreement and does not cure such failure in a reasonable\n * period of time after becoming aware of such noncompliance. If all Recipient's rights under this\n * Agreement terminate, Recipient agrees to cease use and distribution of the Program as soon as\n * reasonably practicable. However, Recipient's obligations under this Agreement and any licenses\n * granted by Recipient relating to the Program shall continue and survive.\n *\n *

Everyone is permitted to copy and distribute copies of this Agreement, but in order to avoid\n * inconsistency the Agreement is copyrighted and may only be modified in the following manner. The\n * Agreement Steward reserves the right to publish new versions (including revisions) of this\n * Agreement from time to time. No one other than the Agreement Steward has the right to modify this\n * Agreement. The Eclipse Foundation is the initial Agreement Steward. The Eclipse Foundation may\n * assign the responsibility to serve as the Agreement Steward to a suitable separate entity. Each\n * new version of the Agreement will be given a distinguishing version number. The Program\n * (including Contributions) may always be distributed subject to the version of the Agreement under\n * which it was received. In addition, after a new version of the Agreement is published,\n * Contributor may elect to distribute the Program (including its Contributions) under the new\n * version. Except as expressly stated in Sections 2(a) and 2(b) above, Recipient receives no rights\n * or licenses to the intellectual property of any Contributor under this Agreement, whether\n * expressly, by implication, estoppel or otherwise. All rights in the Program not expressly granted\n * under this Agreement are reserved.\n *\n *

This Agreement is governed by the laws of the State of New York and the intellectual property\n * laws of the United States of America. No party to this Agreement will bring a legal action under\n * this Agreement more than one year after the cause of action arose. Each party waives its rights\n * to a jury trial in any resulting litigation.\n */\n\n/**\n * Consists of core parts for a server.\n *\n * @author Josh\n */\npublic class Core {}\n", "jasm_code": ".version 52 0 \n.class public super Core \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 141 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Core.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:57:22 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Core_ESTest extends Core_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Core core0 = new Core();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:57:22 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Core_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Core\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpcaj7lesn\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Core_ESTest_scaffolding.class.getClassLoader() ,\n \"Core\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Core_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Core\"\n );\n }\n}\n", "class_idx": 32} {"class_name": "TestData", "java_source": "public class TestData {\n\n public static final String DATA_GRAPH_VARIABLE = \"db\";\n\n public static final String CHAIN_PATTERN_0 = \"(:A)-[:a]->(:B)\";\n\n public static final String CHAIN_PATTERN_1 = \"(:A)-[:a]->(:A)\";\n\n public static final String CHAIN_PATTERN_2 = \"(:A)\";\n\n public static final String CHAIN_PATTERN_3 = \"(:B)-[:d]->(:B)\";\n\n public static final String CHAIN_PATTERN_4 = \"(:A)-[:a]->(:A)-[:a]->(:A)\";\n\n public static final String CHAIN_PATTERN_5 = \"(:B)-[:b]->(:C)<-[:a]-(:A)\";\n\n public static final String CHAIN_PATTERN_6 = \"(c)<--(a)-->(b)\";\n\n public static final String CHAIN_PATTERN_7 = \"(a)-->(b),(a)-->(c)\";\n\n public static final String LOOP_PATTERN_0 = \"(b:B)-[:d]->(b)\";\n\n public static final String CYCLE_PATTERN_0 = \"(a:A)-[:a]->(b:B)-[:a]->(a)\";\n\n public static final String CYCLE_PATTERN_1 = \"(b:B)-[:d]->(:B)-[:d]->(b)\";\n\n public static final String CYCLE_PATTERN_2 = \"(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)\";\n\n public static String CYCLE_PATTERN_3 = \"(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)<-[:a]-(:B)\";\n\n public static final String CYCLE_PATTERN_4 =\n \"(a0:A)-[:a]->(b0:B)-[:a]->(a1:A)-[:a]->(b1:B)-[:a]->(a0)\";\n\n public static final String CYCLE_PATTERN_5 = \"(v0:B)-[:a]->(v1:C)<-[:b]-(v0)\";\n\n public static final String CYCLE_PATTERN_6 = \"(v0:A)-[:a]->(v1:A)<-[:a]-(v0)\";\n\n public static final String UNLABELED_PATTERN_0 = \"()\";\n\n public static final String UNLABELED_PATTERN_1 = \"()-->()\";\n\n public static final String UNLABELED_PATTERN_2 = \"()-[:b]->()\";\n\n public static final String UNLABELED_PATTERN_3 = \"(:A)-->(:B)\";\n\n public static final String VAR_LENGTH_PATH_PATTERN_0 = \"(:B)-[:a*2..2]->(:B)\";\n\n public static final String VAR_LENGTH_PATH_PATTERN_1 = \"(:B)<-[:a*2..2]-(:B)\";\n\n public static final String VAR_LENGTH_PATH_PATTERN_2 = \"(:B)-[:d*2..3]->()\";\n\n public static final String VAR_LENGTH_PATH_PATTERN_3 = \"(:A)-[:a*]->()\";\n\n public static final String VAR_LENGTH_PATH_PATTERN_4 = \"(s:A)-[:a*1..2]->(s)\";\n\n public static final String GRAPH_1 =\n DATA_GRAPH_VARIABLE\n + \"[\"\n + \"(v0:B {id : 0})\"\n + \"(v1:A {id : 1})\"\n + \"(v2:A {id : 2})\"\n + \"(v3:C {id : 3})\"\n + \"(v4:B {id : 4})\"\n + \"(v5:A {id : 5})\"\n + \"(v6:B {id : 6})\"\n + \"(v7:C {id : 7})\"\n + \"(v8:B {id : 8})\"\n + \"(v9:C {id : 9})\"\n + \"(v10:D {id : 10})\"\n + \"(v0)-[e0:a {id : 0}]->(v1)\"\n + \"(v0)-[e1:a {id : 1}]->(v3)\"\n + \"(v1)-[e2:a {id : 2}]->(v6)\"\n + \"(v2)-[e3:a {id : 3}]->(v6)\"\n + \"(v4)-[e4:a {id : 4}]->(v1)\"\n + \"(v4)-[e5:b {id : 5}]->(v3)\"\n + \"(v5)-[e6:a {id : 6}]->(v4)\"\n + \"(v6)-[e7:a {id : 7}]->(v2)\"\n + \"(v6)-[e8:a {id : 8}]->(v5)\"\n + \"(v6)-[e9:b {id : 9}]->(v7)\"\n + \"(v8)-[e10:a {id : 10}]->(v5)\"\n + \"(v5)-[e11:a {id : 11}]->(v9)\"\n + \"(v9)-[e12:c {id : 12}]->(v10)\"\n + \"]\";\n\n public static final String GRAPH_2 =\n DATA_GRAPH_VARIABLE\n + \"[\"\n + \"(v0:B {id : 0})\"\n + \"(v1:A {id : 1})\"\n + \"(v2:A {id : 2})\"\n + \"(v3:A {id : 3})\"\n + \"(v4:C {id : 4})\"\n + \"(v5:B {id : 5})\"\n + \"(v6:B {id : 6})\"\n + \"(v7:C {id : 7})\"\n + \"(v8:B {id : 8})\"\n + \"(v9:B {id : 9})\"\n + \"(v10:A {id : 10})\"\n + \"(v11:C {id : 11})\"\n + \"(v12:D {id : 12})\"\n + \"(v1)-[e0:a {id : 0}]->(v0)\"\n + \"(v0)-[e1:b {id : 1}]->(v4)\"\n + \"(v0)-[e2:a {id : 2}]->(v4)\"\n + \"(v0)-[e3:a {id : 3}]->(v3)\"\n + \"(v3)-[e4:a {id : 4}]->(v5)\"\n + \"(v5)-[e5:a {id : 5}]->(v1)\"\n + \"(v1)-[e6:a {id : 6}]->(v6)\"\n + \"(v6)-[e7:a {id : 7}]->(v2)\"\n + \"(v2)-[e8:a {id : 8}]->(v6)\"\n + \"(v5)-[e9:a {id : 9}]->(v4)\"\n + \"(v5)-[e10:b {id : 10}]->(v4)\"\n + \"(v6)-[e11:b {id : 11}]->(v7)\"\n + \"(v8)-[e12:a {id : 12}]->(v7)\"\n + \"(v10)-[e13:a {id : 13}]->(v5)\"\n + \"(v6)-[e14:a {id : 14}]->(v10)\"\n + \"(v9)-[e15:d {id : 15}]->(v9)\"\n + \"(v9)-[e16:a {id : 16}]->(v10)\"\n + \"(v10)-[e17:d {id : 17}]->(v11)\"\n + \"(v11)-[e18:a {id : 18}]->(v12)\"\n + \"]\";\n\n public static final String GRAPH_3 =\n DATA_GRAPH_VARIABLE\n + \"[\"\n + \"(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})\"\n + \"(v1)-[e1:a {id : 1}]->(v2:A {id : 2})\"\n + \"(v2)-[e2:a {id : 2}]->(v3:A {id : 3})\"\n + \"]\";\n\n public static final String GRAPH_4 =\n DATA_GRAPH_VARIABLE\n + \"[\"\n + \"(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})\"\n + \"(v1)-[e1:a {id : 1}]->(v2:A {id : 2})-[e3:a {id : 3}]->(v3:A {id : 3})\"\n + \"(v1)-[e2:a {id : 2}]->(v2)\"\n + \"]\";\n\n public static final String GRAPH_5 =\n DATA_GRAPH_VARIABLE + \"[(v0 {id : 0})-[e0 {id:0}]->(v1 {id : 1})]\";\n}\n", "jasm_code": ".version 52 0 \n.class public super TestData \n.super java/lang/Object \n.field public static final DATA_GRAPH_VARIABLE Ljava/lang/String; = 'db' \n.field public static final CHAIN_PATTERN_0 Ljava/lang/String; = '(:A)-[:a]->(:B)' \n.field public static final CHAIN_PATTERN_1 Ljava/lang/String; = '(:A)-[:a]->(:A)' \n.field public static final CHAIN_PATTERN_2 Ljava/lang/String; = '(:A)' \n.field public static final CHAIN_PATTERN_3 Ljava/lang/String; = '(:B)-[:d]->(:B)' \n.field public static final CHAIN_PATTERN_4 Ljava/lang/String; = '(:A)-[:a]->(:A)-[:a]->(:A)' \n.field public static final CHAIN_PATTERN_5 Ljava/lang/String; = '(:B)-[:b]->(:C)<-[:a]-(:A)' \n.field public static final CHAIN_PATTERN_6 Ljava/lang/String; = '(c)<--(a)-->(b)' \n.field public static final CHAIN_PATTERN_7 Ljava/lang/String; = '(a)-->(b),(a)-->(c)' \n.field public static final LOOP_PATTERN_0 Ljava/lang/String; = '(b:B)-[:d]->(b)' \n.field public static final CYCLE_PATTERN_0 Ljava/lang/String; = '(a:A)-[:a]->(b:B)-[:a]->(a)' \n.field public static final CYCLE_PATTERN_1 Ljava/lang/String; = '(b:B)-[:d]->(:B)-[:d]->(b)' \n.field public static final CYCLE_PATTERN_2 Ljava/lang/String; = '(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)' \n.field public static CYCLE_PATTERN_3 Ljava/lang/String; \n.field public static final CYCLE_PATTERN_4 Ljava/lang/String; = '(a0:A)-[:a]->(b0:B)-[:a]->(a1:A)-[:a]->(b1:B)-[:a]->(a0)' \n.field public static final CYCLE_PATTERN_5 Ljava/lang/String; = '(v0:B)-[:a]->(v1:C)<-[:b]-(v0)' \n.field public static final CYCLE_PATTERN_6 Ljava/lang/String; = '(v0:A)-[:a]->(v1:A)<-[:a]-(v0)' \n.field public static final UNLABELED_PATTERN_0 Ljava/lang/String; = '()' \n.field public static final UNLABELED_PATTERN_1 Ljava/lang/String; = '()-->()' \n.field public static final UNLABELED_PATTERN_2 Ljava/lang/String; = '()-[:b]->()' \n.field public static final UNLABELED_PATTERN_3 Ljava/lang/String; = '(:A)-->(:B)' \n.field public static final VAR_LENGTH_PATH_PATTERN_0 Ljava/lang/String; = '(:B)-[:a*2..2]->(:B)' \n.field public static final VAR_LENGTH_PATH_PATTERN_1 Ljava/lang/String; = '(:B)<-[:a*2..2]-(:B)' \n.field public static final VAR_LENGTH_PATH_PATTERN_2 Ljava/lang/String; = '(:B)-[:d*2..3]->()' \n.field public static final VAR_LENGTH_PATH_PATTERN_3 Ljava/lang/String; = '(:A)-[:a*]->()' \n.field public static final VAR_LENGTH_PATH_PATTERN_4 Ljava/lang/String; = '(s:A)-[:a*1..2]->(s)' \n.field public static final GRAPH_1 Ljava/lang/String; = [s60] \n.field public static final GRAPH_2 Ljava/lang/String; = [s62] \n.field public static final GRAPH_3 Ljava/lang/String; = 'db[(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})(v1)-[e1:a {id : 1}]->(v2:A {id : 2})(v2)-[e2:a {id : 2}]->(v3:A {id : 3})]' \n.field public static final GRAPH_4 Ljava/lang/String; = 'db[(v0:A {id : 0})-[e0:a {id : 0}]->(v1:A {id : 1})(v1)-[e1:a {id : 1}]->(v2:A {id : 2})-[e3:a {id : 3}]->(v3:A {id : 3})(v1)-[e2:a {id : 2}]->(v2)]' \n.field public static final GRAPH_5 Ljava/lang/String; = 'db[(v0 {id : 0})-[e0 {id:0}]->(v1 {id : 1})]' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: ldc '(a:A)-[:a]->(b:B)-[:a]->(a),(b)-[:b]->(:C)<-[:a]-(:B)' \nL2: putstatic Field TestData CYCLE_PATTERN_3 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 43 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TestData.java' \n.const [s60] = String [u106] \n.const [s62] = String [u107] \n.const [u106] = Utf8 'db[(v0:B {id : 0})(v1:A {id : 1})(v2:A {id : 2})(v3:C {id : 3})(v4:B {id : 4})(v5:A {id : 5})(v6:B {id : 6})(v7:C {id : 7})(v8:B {id : 8})(v9:C {id : 9})(v10:D {id : 10})(v0)-[e0:a {id : 0}]->(v1)(v0)-[e1:a {id : 1}]->(v3)(v1)-[e2:a {id : 2}]->(v6)(v2)-[e3:a {id : 3}]->(v6)(v4)-[e4:a {id : 4}]->(v1)(v4)-[e5:b {id : 5}]->(v3)(v5)-[e6:a {id : 6}]->(v4)(v6)-[e7:a {id : 7}]->(v2)(v6)-[e8:a {id : 8}]->(v5)(v6)-[e9:b {id : 9}]->(v7)(v8)-[e10:a {id : 10}]->(v5)(v5)-[e11:a {id : 11}]->(v9)(v9)-[e12:c {id : 12}]->(v10)]' \n.const [u107] = Utf8 'db[(v0:B {id : 0})(v1:A {id : 1})(v2:A {id : 2})(v3:A {id : 3})(v4:C {id : 4})(v5:B {id : 5})(v6:B {id : 6})(v7:C {id : 7})(v8:B {id : 8})(v9:B {id : 9})(v10:A {id : 10})(v11:C {id : 11})(v12:D {id : 12})(v1)-[e0:a {id : 0}]->(v0)(v0)-[e1:b {id : 1}]->(v4)(v0)-[e2:a {id : 2}]->(v4)(v0)-[e3:a {id : 3}]->(v3)(v3)-[e4:a {id : 4}]->(v5)(v5)-[e5:a {id : 5}]->(v1)(v1)-[e6:a {id : 6}]->(v6)(v6)-[e7:a {id : 7}]->(v2)(v2)-[e8:a {id : 8}]->(v6)(v5)-[e9:a {id : 9}]->(v4)(v5)-[e10:b {id : 10}]->(v4)(v6)-[e11:b {id : 11}]->(v7)(v8)-[e12:a {id : 12}]->(v7)(v10)-[e13:a {id : 13}]->(v5)(v6)-[e14:a {id : 14}]->(v10)(v9)-[e15:d {id : 15}]->(v9)(v9)-[e16:a {id : 16}]->(v10)(v10)-[e17:d {id : 17}]->(v11)(v11)-[e18:a {id : 18}]->(v12)]' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:38:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TestData_ESTest extends TestData_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TestData testData0 = new TestData();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:38:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TestData_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TestData\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfx2bzi2b\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestData_ESTest_scaffolding.class.getClassLoader() ,\n \"TestData\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestData_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TestData\"\n );\n }\n}\n", "class_idx": 33} {"class_name": "PrefMapping", "java_source": "/*\n * PrefMapping.java\n *\n * Created on 27. Juli 2003, 21:45\n *\n * The MIT License\n *\n * Copyright (C) 2003\n * Tilmann Kuhn Gildestr. 34\n * http://www.tkuhn.de 76149 Karlsruhe\n * prefsmeta@tkuhn.de Germany\n *\n * Permission is hereby granted, free of charge, to any person obtaining a copy\n * of this software and associated documentation files (the \"Software\"), to deal\n * in the Software without restriction, including without limitation the rights\n * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n * copies of the Software, and to permit persons to whom the Software is\n * furnished to do so, subject to the following conditions:\n *\n * The above copyright notice and this permission notice shall be included in\n * all copies or substantial portions of the Software.\n *\n * THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\n * THE SOFTWARE.\n */\n\nimport java.util.prefs.Preferences;\n\n/**\n * A mapping that map preferences with their String key\n *\n * @author Tilmann Kuhn\n */\npublic class PrefMapping {\n\n private Preferences prefs;\n\n private String key;\n\n /** Creates a new instance of PrefMapping */\n public PrefMapping() {}\n\n public PrefMapping(Preferences prefs, String key) {\n this.prefs = prefs;\n this.key = key;\n }\n\n /**\n * Getter for property prefs.\n *\n * @return Value of property prefs.\n */\n public Preferences getPrefs() {\n return prefs;\n }\n\n /**\n * Setter for property prefs.\n *\n * @param prefs New value of property prefs.\n */\n public void setPrefs(Preferences prefs) {\n this.prefs = prefs;\n }\n\n /**\n * Getter for property key.\n *\n * @return Value of property key.\n */\n public java.lang.String getKey() {\n return key;\n }\n\n /**\n * Setter for property key.\n *\n * @param key New value of property key.\n */\n public void setKey(java.lang.String key) {\n this.key = key;\n }\n\n public String toString() {\n return key;\n }\n\n public Object clone() {\n return new PrefMapping(prefs, key);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PrefMapping \n.super java/lang/Object \n.field private prefs Ljava/util/prefs/Preferences; \n.field private key Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 48 \n L4 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/util/prefs/Preferences;Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field PrefMapping prefs Ljava/util/prefs/Preferences; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field PrefMapping key Ljava/lang/String; \nL14: return \nL15: \n .linenumbertable \n L0 51 \n L4 52 \n L9 53 \n L14 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPrefs : ()Ljava/util/prefs/Preferences; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PrefMapping prefs Ljava/util/prefs/Preferences; \nL4: areturn \nL5: \n .linenumbertable \n L0 62 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPrefs : (Ljava/util/prefs/Preferences;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PrefMapping prefs Ljava/util/prefs/Preferences; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public getKey : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PrefMapping key Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public setKey : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PrefMapping key Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 91 \n L5 92 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PrefMapping key Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 95 \n .end linenumbertable \n .end code \n.end method \n\n.method public clone : ()Ljava/lang/Object; \n .code stack 4 locals 1 \nL0: new PrefMapping \nL3: dup \nL4: aload_0 \nL5: getfield Field PrefMapping prefs Ljava/util/prefs/Preferences; \nL8: aload_0 \nL9: getfield Field PrefMapping key Ljava/lang/String; \nL12: invokespecial Method PrefMapping (Ljava/util/prefs/Preferences;Ljava/lang/String;)V \nL15: areturn \nL16: \n .linenumbertable \n L0 99 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PrefMapping.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 05:42:08 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.prefs.Preferences;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.prefs.MockPreferences;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PrefMapping_ESTest extends PrefMapping_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Class class0 = Object.class;\n Preferences preferences0 = MockPreferences.systemNodeForPackage(class0);\n PrefMapping prefMapping0 = new PrefMapping(preferences0, \"&~Q3&O}RkH`UNBo6s1\");\n String string0 = prefMapping0.toString();\n assertEquals(\"&~Q3&O}RkH`UNBo6s1\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Preferences preferences0 = MockPreferences.systemRoot();\n PrefMapping prefMapping0 = new PrefMapping(preferences0, \")w7XLlNRjp&\");\n String string0 = prefMapping0.getKey();\n assertEquals(\")w7XLlNRjp&\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n PrefMapping prefMapping0 = new PrefMapping();\n prefMapping0.setKey(\"\");\n String string0 = prefMapping0.getKey();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Preferences preferences0 = MockPreferences.systemRoot();\n PrefMapping prefMapping0 = new PrefMapping(preferences0, \"\");\n String string0 = prefMapping0.toString();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n PrefMapping prefMapping0 = new PrefMapping();\n String string0 = prefMapping0.toString();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n PrefMapping prefMapping0 = new PrefMapping();\n prefMapping0.setPrefs((Preferences) null);\n assertNull(prefMapping0.toString());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n PrefMapping prefMapping0 = new PrefMapping();\n Preferences preferences0 = prefMapping0.getPrefs();\n assertNull(preferences0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n PrefMapping prefMapping0 = new PrefMapping();\n String string0 = prefMapping0.getKey();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n PrefMapping prefMapping0 = new PrefMapping();\n Object object0 = prefMapping0.clone();\n assertNotSame(object0, prefMapping0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 05:42:08 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PrefMapping_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PrefMapping\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpwgkwecif\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PrefMapping_ESTest_scaffolding.class.getClassLoader() ,\n \"PrefMapping\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PrefMapping_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PrefMapping\"\n );\n }\n}\n", "class_idx": 34} {"class_name": "PlayerClassement", "java_source": "public class PlayerClassement {\n\n private String name;\n\n private int niveau;\n\n private int experience;\n\n public PlayerClassement() {}\n\n public PlayerClassement(String name, int niveau, int experience) {\n this.name = name;\n this.niveau = niveau;\n this.experience = experience;\n }\n\n public String getName() {\n return name;\n }\n\n public int getNiveau() {\n return niveau;\n }\n\n public int getExperience() {\n return experience;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PlayerClassement \n.super java/lang/Object \n.field private name Ljava/lang/String; \n.field private niveau I \n.field private experience I \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 11 \n L4 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;II)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field PlayerClassement name Ljava/lang/String; \nL9: aload_0 \nL10: iload_2 \nL11: putfield Field PlayerClassement niveau I \nL14: aload_0 \nL15: iload_3 \nL16: putfield Field PlayerClassement experience I \nL19: return \nL20: \n .linenumbertable \n L0 15 \n L4 16 \n L9 17 \n L14 18 \n L19 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PlayerClassement name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 22 \n .end linenumbertable \n .end code \n.end method \n\n.method public getNiveau : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PlayerClassement niveau I \nL4: ireturn \nL5: \n .linenumbertable \n L0 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public getExperience : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PlayerClassement experience I \nL4: ireturn \nL5: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PlayerClassement.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 04:35:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PlayerClassement_ESTest extends PlayerClassement_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement();\n int int0 = playerClassement0.getNiveau();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement(\"nP|\", (-1), (-1));\n int int0 = playerClassement0.getNiveau();\n assertEquals((-1), playerClassement0.getExperience());\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement();\n String string0 = playerClassement0.getName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement(\"3x&qF-IRdTF*+mjCB\u007fO\", (-14154), (-14154));\n playerClassement0.getName();\n assertEquals((-14154), playerClassement0.getExperience());\n assertEquals((-14154), playerClassement0.getNiveau());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement(\"\", 43386, 43386);\n int int0 = playerClassement0.getExperience();\n assertEquals(43386, int0);\n assertEquals(43386, playerClassement0.getNiveau());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement(\"\", 0, (-12859));\n int int0 = playerClassement0.getExperience();\n assertEquals((-12859), int0);\n assertEquals(0, playerClassement0.getNiveau());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement();\n int int0 = playerClassement0.getExperience();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement(\"\", 43386, 43386);\n int int0 = playerClassement0.getNiveau();\n assertEquals(43386, int0);\n assertEquals(43386, playerClassement0.getExperience());\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n PlayerClassement playerClassement0 = new PlayerClassement(\"\", 43386, 43386);\n playerClassement0.getName();\n assertEquals(43386, playerClassement0.getExperience());\n assertEquals(43386, playerClassement0.getNiveau());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 04:35:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PlayerClassement_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PlayerClassement\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpwcch5dej\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PlayerClassement_ESTest_scaffolding.class.getClassLoader() ,\n \"PlayerClassement\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PlayerClassement_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PlayerClassement\"\n );\n }\n}\n", "class_idx": 35} {"class_name": "GasUpProblem", "java_source": "import java.util.List;\n\npublic class GasUpProblem {\n\n /*\n 18.6\n */\n\n public static int findAmpleCity(List gallons, List distances) {\n\n return 0;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super GasUpProblem \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public static findAmpleCity : (Ljava/util/List;Ljava/util/List;)I \n .code stack 1 locals 2 \nL0: iconst_0 \nL1: ireturn \nL2: \n .linenumbertable \n L0 11 \n .end linenumbertable \n .end code \n .signature (Ljava/util/List;Ljava/util/List;)I \n.end method \n.sourcefile 'GasUpProblem.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 06:25:51 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.LinkedList;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class GasUpProblem_ESTest extends GasUpProblem_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n int int0 = GasUpProblem.findAmpleCity(linkedList0, linkedList0);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n GasUpProblem gasUpProblem0 = new GasUpProblem();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 06:25:51 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class GasUpProblem_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"GasUpProblem\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpphyazqj7\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GasUpProblem_ESTest_scaffolding.class.getClassLoader() ,\n \"GasUpProblem\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GasUpProblem_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"GasUpProblem\"\n );\n }\n}\n", "class_idx": 36} {"class_name": "MockOutputStreamThatThrowsIOExceptionOnEverything", "java_source": "import java.io.IOException;\nimport java.io.OutputStream;\n\n/**\n * A handwritten mock {@link OutputStream}.\n *\n *

This is an {@link OutputStream} that will throw {@link IOException} on all methods declaring\n * {@link IOException}.\n *\n * @author Steinar Bang\n */\npublic class MockOutputStreamThatThrowsIOExceptionOnEverything extends OutputStream {\n\n @Override\n public void write(int b) throws IOException {\n throw new IOException();\n }\n\n @Override\n public void close() throws IOException {\n throw new IOException();\n }\n\n @Override\n public void write(byte[] b, int off, int len) throws IOException {\n throw new IOException();\n }\n\n @Override\n public void write(byte[] b) throws IOException {\n throw new IOException();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MockOutputStreamThatThrowsIOExceptionOnEverything \n.super java/io/OutputStream \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/io/OutputStream ()V \nL4: return \nL5: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public write : (I)V \n .code stack 2 locals 2 \nL0: new java/io/IOException \nL3: dup \nL4: invokespecial Method java/io/IOException ()V \nL7: athrow \nL8: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public close : ()V \n .code stack 2 locals 1 \nL0: new java/io/IOException \nL3: dup \nL4: invokespecial Method java/io/IOException ()V \nL7: athrow \nL8: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public write : ([BII)V \n .code stack 2 locals 4 \nL0: new java/io/IOException \nL3: dup \nL4: invokespecial Method java/io/IOException ()V \nL7: athrow \nL8: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public write : ([B)V \n .code stack 2 locals 2 \nL0: new java/io/IOException \nL3: dup \nL4: invokespecial Method java/io/IOException ()V \nL7: athrow \nL8: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'MockOutputStreamThatThrowsIOExceptionOnEverything.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 23:48:52 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.io.IOException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest extends MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything();\n byte[] byteArray0 = new byte[4];\n try { \n mockOutputStreamThatThrowsIOExceptionOnEverything0.write(byteArray0, 28331, 0);\n fail(\"Expecting exception: IOException\");\n \n } catch(IOException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"MockOutputStreamThatThrowsIOExceptionOnEverything\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything();\n byte[] byteArray0 = new byte[4];\n try { \n mockOutputStreamThatThrowsIOExceptionOnEverything0.write(byteArray0);\n fail(\"Expecting exception: IOException\");\n \n } catch(IOException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"MockOutputStreamThatThrowsIOExceptionOnEverything\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything();\n try { \n mockOutputStreamThatThrowsIOExceptionOnEverything0.close();\n fail(\"Expecting exception: IOException\");\n \n } catch(IOException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"MockOutputStreamThatThrowsIOExceptionOnEverything\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n MockOutputStreamThatThrowsIOExceptionOnEverything mockOutputStreamThatThrowsIOExceptionOnEverything0 = new MockOutputStreamThatThrowsIOExceptionOnEverything();\n try { \n mockOutputStreamThatThrowsIOExceptionOnEverything0.write(1);\n fail(\"Expecting exception: IOException\");\n \n } catch(IOException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"MockOutputStreamThatThrowsIOExceptionOnEverything\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 23:48:52 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MockOutputStreamThatThrowsIOExceptionOnEverything\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfywsk5sq\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest_scaffolding.class.getClassLoader() ,\n \"MockOutputStreamThatThrowsIOExceptionOnEverything\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MockOutputStreamThatThrowsIOExceptionOnEverything_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MockOutputStreamThatThrowsIOExceptionOnEverything\"\n );\n }\n}\n", "class_idx": 37} {"class_name": "User", "java_source": "\npublic class User {\n\n private int uid;\n private String email;\n private String password;\n private String status;\n private String fname;\n private String lname;\n private String gender;\n private String dob;\n private String mobile;\n private String assembly;\n private String idproofdoc;\n\n public int getUid() {\n return uid;\n }\n\n public void setUid(int uid) {\n this.uid = uid;\n }\n\n public String getEmail() {\n return email;\n }\n\n public void setEmail(String email) {\n this.email = email;\n }\n\n public String getPassword() {\n return password;\n }\n\n public void setPassword(String password) {\n this.password = password;\n }\n\n public String getStatus() {\n return status;\n }\n\n public void setStatus(String status) {\n this.status = status;\n }\n\n public String getFname() {\n return fname;\n }\n\n public void setFname(String fname) {\n this.fname = fname;\n }\n\n public String getLname() {\n return lname;\n }\n\n public void setLname(String lname) {\n this.lname = lname;\n }\n\n public String getGender() {\n return gender;\n }\n\n public void setGender(String gender) {\n this.gender = gender;\n }\n\n public String getDob() {\n return dob;\n }\n\n public void setDob(String dob) {\n this.dob = dob;\n }\n\n public String getMobile() {\n return mobile;\n }\n\n public void setMobile(String mobile) {\n this.mobile = mobile;\n }\n\n public String getAssembly() {\n return assembly;\n }\n\n public void setAssembly(String assembly) {\n this.assembly = assembly;\n }\n\n public String getIdproofdoc() {\n return idproofdoc;\n }\n\n public void setIdproofdoc(String idproofdoc) {\n this.idproofdoc = idproofdoc;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super User \n.super java/lang/Object \n.field private uid I \n.field private email Ljava/lang/String; \n.field private password Ljava/lang/String; \n.field private status Ljava/lang/String; \n.field private fname Ljava/lang/String; \n.field private lname Ljava/lang/String; \n.field private gender Ljava/lang/String; \n.field private dob Ljava/lang/String; \n.field private mobile Ljava/lang/String; \n.field private assembly Ljava/lang/String; \n.field private idproofdoc Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUid : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User uid I \nL4: ireturn \nL5: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public setUid : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field User uid I \nL5: return \nL6: \n .linenumbertable \n L0 25 \n L5 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEmail : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User email Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEmail : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User email Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 33 \n L5 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPassword : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User password Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPassword : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User password Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 41 \n L5 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStatus : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User status Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public setStatus : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User status Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 49 \n L5 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFname : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User fname Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public setFname : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User fname Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 57 \n L5 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLname : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User lname Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 61 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLname : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User lname Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 65 \n L5 66 \n .end linenumbertable \n .end code \n.end method \n\n.method public getGender : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User gender Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 69 \n .end linenumbertable \n .end code \n.end method \n\n.method public setGender : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User gender Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 73 \n L5 74 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDob : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User dob Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 77 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDob : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User dob Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 81 \n L5 82 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMobile : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User mobile Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 85 \n .end linenumbertable \n .end code \n.end method \n\n.method public setMobile : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User mobile Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 89 \n L5 90 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAssembly : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User assembly Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 93 \n .end linenumbertable \n .end code \n.end method \n\n.method public setAssembly : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User assembly Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 97 \n L5 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public getIdproofdoc : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field User idproofdoc Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 101 \n .end linenumbertable \n .end code \n.end method \n\n.method public setIdproofdoc : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field User idproofdoc Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 105 \n L5 106 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'User.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 02:25:33 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class User_ESTest extends User_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n User user0 = new User();\n user0.setUid((-79268));\n int int0 = user0.getUid();\n assertEquals((-79268), int0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n User user0 = new User();\n user0.setStatus(\"$] : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 5 \nL0: new java/util/Scanner \nL3: dup \nL4: getstatic Field java/lang/System in Ljava/io/InputStream; \nL7: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL10: astore_1 \nL11: ldc '1 2 3 4 5 1 2 3 4 5' \nL13: astore_2 \nL14: aload_1 \nL15: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; \nL18: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL21: istore_3 \nL22: iconst_1 \nL23: istore 4 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Object java/lang/String Integer Integer \n stack \n .end stack \nL25: iload 4 \nL27: iload_3 \nL28: if_icmpgt L56 \nL31: aload_1 \nL32: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; \nL35: aload_2 \nL36: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL39: ifeq L50 \nL42: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL45: iload 4 \nL47: invokevirtual Method java/io/PrintStream println (I)V \n\n .stack same \nL50: iinc 4 1 \nL53: goto L25 \n\n .stack chop 1 \nL56: return \nL57: \n .linenumbertable \n L0 14 \n L11 15 \n L14 16 \n L22 18 \n L31 19 \n L42 20 \n L50 18 \n L56 21 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Main.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 10:09:40 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.NoSuchElementException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Main_ESTest extends Main_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[0];\n // Undeclared exception!\n try { \n Main.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // No line found\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Main main0 = new Main();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 10:09:40 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Main_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Main\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpavl2ixzo\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Main_ESTest_scaffolding.class.getClassLoader() ,\n \"Main\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Main\"\n );\n }\n}\n", "class_idx": 39} {"class_name": "Extractor", "java_source": "import java.util.Optional;\n\npublic abstract class Extractor {\n\n public Optional extractValue(Object object) {\n if (isSupported(object)) {\n return Optional.of(extractValueInternal(object));\n }\n return Optional.empty();\n }\n\n protected abstract boolean isSupported(Object object);\n\n protected abstract String extractValueInternal(Object object);\n}\n", "jasm_code": ".version 52 0 \n.class public super abstract Extractor \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method public extractValue : (Ljava/lang/Object;)Ljava/util/Optional; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method Extractor isSupported (Ljava/lang/Object;)Z \nL5: ifeq L17 \nL8: aload_0 \nL9: aload_1 \nL10: invokevirtual Method Extractor extractValueInternal (Ljava/lang/Object;)Ljava/lang/String; \nL13: invokestatic Method java/util/Optional of (Ljava/lang/Object;)Ljava/util/Optional; \nL16: areturn \n\n .stack same \nL17: invokestatic Method java/util/Optional empty ()Ljava/util/Optional; \nL20: areturn \nL21: \n .linenumbertable \n L0 8 \n L8 9 \n L17 11 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/Object;)Ljava/util/Optional; \n.end method \n\n.method protected abstract isSupported : (Ljava/lang/Object;)Z \n.end method \n\n.method protected abstract extractValueInternal : (Ljava/lang/Object;)Ljava/lang/String; \n.end method \n.sourcefile 'Extractor.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 11:49:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Extractor_ESTest extends Extractor_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 11:49:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Extractor_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Extractor\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Extractor_ESTest_scaffolding.class.getClassLoader() ,\n \"Extractor\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Extractor_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Extractor\"\n );\n }\n}\n", "class_idx": 40} {"class_name": "Question5", "java_source": "/****************************************************************\n * Licensed to the AOS Community (AOS) under one or more *\n * contributor license agreements. See the NOTICE file *\n * distributed with this work for additional information *\n * regarding copyright ownership. The AOS licenses this file *\n * to you under the Apache License, Version 2.0 (the *\n * \"License\"); you may not use this file except in compliance *\n * with the License. You may obtain a copy of the License at *\n * *\n * http://www.apache.org/licenses/LICENSE-2.0 *\n * *\n * Unless required by applicable law or agreed to in writing, *\n * software distributed under the License is distributed on an *\n * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY *\n * KIND, either express or implied. See the License for the *\n * specific language governing permissions and limitations *\n * under the License. *\n ****************************************************************/\n\n/*\n * Comment le programme suivant va-t-il se comporter lors de la compilation et lors de l\ufffdex\ufffdcution ?\n *\n * public class Question5 {\n * public static void main(String... args){\n * X reference1 = new Z();\n * Y reference2 = (Y)reference1;\n * System.out.println(reference2.f());\n * }\n * }\n *\n *\n *class X{int f(){return 1;}}\n *class Y extends X{int f(){return 2;}}\n *class Z extends Y{int f(){return 3;}}\n */\n\npublic class Question5 {\n\n public static void main(String... args) {\n X reference1 = new Z();\n Y reference2 = (Y) reference1;\n System.out.println(reference2.f());\n }\n}\n\nclass X {\n int f() {\n return 1;\n }\n}\n\nclass Y extends X {\n int f() {\n return 2;\n }\n}\n\nclass Z extends Y {\n int f() {\n return 3;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Question5 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public static varargs main : ([Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: new Z \nL3: dup \nL4: invokespecial Method Z ()V \nL7: astore_1 \nL8: aload_1 \nL9: checkcast Y \nL12: astore_2 \nL13: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL16: aload_2 \nL17: invokevirtual Method Y f ()I \nL20: invokevirtual Method java/io/PrintStream println (I)V \nL23: return \nL24: \n .linenumbertable \n L0 41 \n L8 42 \n L13 43 \n L23 44 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Question5.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 02:21:34 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Question5_ESTest extends Question5_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n // Undeclared exception!\n try { \n Question5.main((String[]) null);\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // Z\n //\n verifyException(\"Question5\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Question5 question5_0 = new Question5();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 02:21:34 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Question5_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Question5\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1zlyenui\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Question5_ESTest_scaffolding.class.getClassLoader() ,\n \"Question5\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Question5_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Question5\"\n );\n }\n}\n", "class_idx": 41} {"class_name": "ThreadDumper", "java_source": "import java.io.PrintWriter;\nimport java.io.StringWriter;\nimport java.lang.management.ManagementFactory;\nimport java.lang.management.ThreadInfo;\nimport java.lang.management.ThreadMXBean;\nimport java.util.concurrent.CountDownLatch;\n\npublic class ThreadDumper extends Thread {\n\n private static String INDENT = \" \";\n private CountDownLatch latch;\n private volatile boolean dead;\n private int wait;\n\n public ThreadDumper() {\n this(10000);\n }\n\n public ThreadDumper(int wait) {\n this.latch = new CountDownLatch(1);\n this.wait = wait;\n }\n\n public void waitUntilStarted() throws InterruptedException {\n latch.await();\n }\n\n public void kill() {\n try {\n Thread.sleep(1000);\n dead = true;\n dumpThreadInfo();\n } catch (Exception e) {\n e.printStackTrace();\n }\n }\n\n public void run() {\n while (!dead) {\n try {\n latch.countDown();\n dumpThreadInfo();\n findDeadlock();\n Thread.sleep(wait);\n } catch (Exception e) {\n e.printStackTrace();\n }\n }\n }\n\n /** Prints the thread dump information to System.out. */\n public static void dumpThreadInfo() {\n System.out.println(getThreadInfo());\n }\n\n public static String getThreadInfo() {\n ThreadMXBean tmbean = ManagementFactory.getThreadMXBean();\n long[] tids = tmbean.getAllThreadIds();\n ThreadInfo[] tinfos = tmbean.getThreadInfo(tids, Integer.MAX_VALUE);\n StringWriter str = new StringWriter();\n PrintWriter log = new PrintWriter(str);\n log.println(\"Full Java thread dump\");\n\n for (ThreadInfo ti : tinfos) {\n printThreadInfo(ti, log);\n }\n log.flush();\n return str.toString();\n }\n\n private static void printThreadInfo(ThreadInfo ti, PrintWriter log) {\n if (ti != null) {\n StringBuilder sb =\n new StringBuilder(\n \"\\\"\"\n + ti.getThreadName()\n + \"\\\"\"\n + \" Id=\"\n + ti.getThreadId()\n + \" in \"\n + ti.getThreadState());\n if (ti.getLockName() != null) {\n sb.append(\" on lock=\" + ti.getLockName());\n }\n if (ti.isSuspended()) {\n sb.append(\" (suspended)\");\n }\n if (ti.isInNative()) {\n sb.append(\" (running in native)\");\n }\n log.println(sb.toString());\n if (ti.getLockOwnerName() != null) {\n log.println(INDENT + \" owned by \" + ti.getLockOwnerName() + \" Id=\" + ti.getLockOwnerId());\n }\n for (StackTraceElement ste : ti.getStackTrace()) {\n log.println(INDENT + \"at \" + ste.toString());\n }\n log.println();\n }\n }\n\n /** Checks if any threads are deadlocked. If any, print the thread dump information. */\n public static boolean findDeadlock() {\n ThreadMXBean tmbean = ManagementFactory.getThreadMXBean();\n long[] tids = tmbean.findMonitorDeadlockedThreads();\n if (tids == null) {\n return false;\n } else {\n StringWriter str = new StringWriter();\n PrintWriter log = new PrintWriter(str);\n\n tids = tmbean.getAllThreadIds();\n System.out.println(\"Deadlock found :-\");\n ThreadInfo[] tinfos = tmbean.getThreadInfo(tids, Integer.MAX_VALUE);\n for (ThreadInfo ti : tinfos) {\n printThreadInfo(ti, log);\n }\n log.flush();\n System.out.println(str.toString());\n return true;\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ThreadDumper \n.super java/lang/Thread \n.field private static INDENT Ljava/lang/String; \n.field private latch Ljava/util/concurrent/CountDownLatch; \n.field private volatile dead Z \n.field private wait I \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: sipush 10000 \nL4: invokespecial Method ThreadDumper (I)V \nL7: return \nL8: \n .linenumbertable \n L0 19 \n L7 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (I)V \n .code stack 4 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Thread ()V \nL4: aload_0 \nL5: new java/util/concurrent/CountDownLatch \nL8: dup \nL9: iconst_1 \nL10: invokespecial Method java/util/concurrent/CountDownLatch (I)V \nL13: putfield Field ThreadDumper latch Ljava/util/concurrent/CountDownLatch; \nL16: aload_0 \nL17: iload_1 \nL18: putfield Field ThreadDumper wait I \nL21: return \nL22: \n .linenumbertable \n L0 22 \n L4 23 \n L16 24 \n L21 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public waitUntilStarted : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ThreadDumper latch Ljava/util/concurrent/CountDownLatch; \nL4: invokevirtual Method java/util/concurrent/CountDownLatch await ()V \nL7: return \nL8: \n .linenumbertable \n L0 28 \n L7 29 \n .end linenumbertable \n .end code \n .exceptions java/lang/InterruptedException \n.end method \n\n.method public kill : ()V \n .code stack 2 locals 2 \n .catch java/lang/Exception from L0 to L14 using L17 \nL0: ldc2_w 1000L \nL3: invokestatic Method java/lang/Thread sleep (J)V \nL6: aload_0 \nL7: iconst_1 \nL8: putfield Field ThreadDumper dead Z \nL11: invokestatic Method ThreadDumper dumpThreadInfo ()V \nL14: goto L22 \n\n .stack stack_1 Object java/lang/Exception \nL17: astore_1 \nL18: aload_1 \nL19: invokevirtual Method java/lang/Exception printStackTrace ()V \n\n .stack same \nL22: return \nL23: \n .linenumbertable \n L0 33 \n L6 34 \n L11 35 \n L14 38 \n L17 36 \n L18 37 \n L22 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public run : ()V \n .code stack 2 locals 2 \n\n .stack same \nL0: aload_0 \nL1: getfield Field ThreadDumper dead Z \nL4: ifne L40 \n .catch java/lang/Exception from L7 to L29 using L32 \nL7: aload_0 \nL8: getfield Field ThreadDumper latch Ljava/util/concurrent/CountDownLatch; \nL11: invokevirtual Method java/util/concurrent/CountDownLatch countDown ()V \nL14: invokestatic Method ThreadDumper dumpThreadInfo ()V \nL17: invokestatic Method ThreadDumper findDeadlock ()Z \nL20: pop \nL21: aload_0 \nL22: getfield Field ThreadDumper wait I \nL25: i2l \nL26: invokestatic Method java/lang/Thread sleep (J)V \nL29: goto L0 \n\n .stack stack_1 Object java/lang/Exception \nL32: astore_1 \nL33: aload_1 \nL34: invokevirtual Method java/lang/Exception printStackTrace ()V \nL37: goto L0 \n\n .stack same \nL40: return \nL41: \n .linenumbertable \n L0 41 \n L7 43 \n L14 44 \n L17 45 \n L21 46 \n L29 49 \n L32 47 \n L33 48 \n L37 49 \n L40 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public static dumpThreadInfo : ()V \n .code stack 2 locals 0 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: invokestatic Method ThreadDumper getThreadInfo ()Ljava/lang/String; \nL6: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL9: return \nL10: \n .linenumbertable \n L0 57 \n L9 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getThreadInfo : ()Ljava/lang/String; \n .code stack 3 locals 9 \nL0: invokestatic Method java/lang/management/ManagementFactory getThreadMXBean ()Ljava/lang/management/ThreadMXBean; \nL3: astore_0 \nL4: aload_0 \nL5: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getAllThreadIds ()[J 1 \nL10: astore_1 \nL11: aload_0 \nL12: aload_1 \nL13: ldc 2147483647 \nL15: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getThreadInfo ([JI)[Ljava/lang/management/ThreadInfo; 3 \nL20: astore_2 \nL21: new java/io/StringWriter \nL24: dup \nL25: invokespecial Method java/io/StringWriter ()V \nL28: astore_3 \nL29: new java/io/PrintWriter \nL32: dup \nL33: aload_3 \nL34: invokespecial Method java/io/PrintWriter (Ljava/io/Writer;)V \nL37: astore 4 \nL39: aload 4 \nL41: ldc 'Full Java thread dump' \nL43: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V \nL46: aload_2 \nL47: astore 5 \nL49: aload 5 \nL51: arraylength \nL52: istore 6 \nL54: iconst_0 \nL55: istore 7 \n\n .stack full \n locals Object java/lang/management/ThreadMXBean Object [J Object [Ljava/lang/management/ThreadInfo; Object java/io/StringWriter Object java/io/PrintWriter Object [Ljava/lang/management/ThreadInfo; Integer Integer \n stack \n .end stack \nL57: iload 7 \nL59: iload 6 \nL61: if_icmpge L84 \nL64: aload 5 \nL66: iload 7 \nL68: aaload \nL69: astore 8 \nL71: aload 8 \nL73: aload 4 \nL75: invokestatic Method ThreadDumper printThreadInfo (Ljava/lang/management/ThreadInfo;Ljava/io/PrintWriter;)V \nL78: iinc 7 1 \nL81: goto L57 \n\n .stack chop 3 \nL84: aload 4 \nL86: invokevirtual Method java/io/PrintWriter flush ()V \nL89: aload_3 \nL90: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String; \nL93: areturn \nL94: \n .linenumbertable \n L0 61 \n L4 62 \n L11 63 \n L21 64 \n L29 65 \n L39 66 \n L46 68 \n L71 69 \n L78 68 \n L84 71 \n L89 72 \n .end linenumbertable \n .end code \n.end method \n\n.method private static printThreadInfo : (Ljava/lang/management/ThreadInfo;Ljava/io/PrintWriter;)V \n .code stack 5 locals 7 \nL0: aload_0 \nL1: ifnull L247 \nL4: new java/lang/StringBuilder \nL7: dup \nL8: new java/lang/StringBuilder \nL11: dup \nL12: invokespecial Method java/lang/StringBuilder ()V \nL15: ldc '\"' \nL17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL20: aload_0 \nL21: invokevirtual Method java/lang/management/ThreadInfo getThreadName ()Ljava/lang/String; \nL24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL27: ldc '\" Id=' \nL29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL32: aload_0 \nL33: invokevirtual Method java/lang/management/ThreadInfo getThreadId ()J \nL36: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL39: ldc ' in ' \nL41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL44: aload_0 \nL45: invokevirtual Method java/lang/management/ThreadInfo getThreadState ()Ljava/lang/Thread$State; \nL48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL51: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL54: invokespecial Method java/lang/StringBuilder (Ljava/lang/String;)V \nL57: astore_2 \nL58: aload_0 \nL59: invokevirtual Method java/lang/management/ThreadInfo getLockName ()Ljava/lang/String; \nL62: ifnull L92 \nL65: aload_2 \nL66: new java/lang/StringBuilder \nL69: dup \nL70: invokespecial Method java/lang/StringBuilder ()V \nL73: ldc ' on lock=' \nL75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL78: aload_0 \nL79: invokevirtual Method java/lang/management/ThreadInfo getLockName ()Ljava/lang/String; \nL82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL85: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL91: pop \n\n .stack append Object java/lang/StringBuilder \nL92: aload_0 \nL93: invokevirtual Method java/lang/management/ThreadInfo isSuspended ()Z \nL96: ifeq L106 \nL99: aload_2 \nL100: ldc ' (suspended)' \nL102: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL105: pop \n\n .stack same \nL106: aload_0 \nL107: invokevirtual Method java/lang/management/ThreadInfo isInNative ()Z \nL110: ifeq L120 \nL113: aload_2 \nL114: ldc ' (running in native)' \nL116: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL119: pop \n\n .stack same \nL120: aload_1 \nL121: aload_2 \nL122: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL125: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V \nL128: aload_0 \nL129: invokevirtual Method java/lang/management/ThreadInfo getLockOwnerName ()Ljava/lang/String; \nL132: ifnull L179 \nL135: aload_1 \nL136: new java/lang/StringBuilder \nL139: dup \nL140: invokespecial Method java/lang/StringBuilder ()V \nL143: getstatic Field ThreadDumper INDENT Ljava/lang/String; \nL146: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL149: ldc ' owned by ' \nL151: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL154: aload_0 \nL155: invokevirtual Method java/lang/management/ThreadInfo getLockOwnerName ()Ljava/lang/String; \nL158: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL161: ldc ' Id=' \nL163: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL166: aload_0 \nL167: invokevirtual Method java/lang/management/ThreadInfo getLockOwnerId ()J \nL170: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL173: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL176: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V \n\n .stack same \nL179: aload_0 \nL180: invokevirtual Method java/lang/management/ThreadInfo getStackTrace ()[Ljava/lang/StackTraceElement; \nL183: astore_3 \nL184: aload_3 \nL185: arraylength \nL186: istore 4 \nL188: iconst_0 \nL189: istore 5 \n\n .stack append Object [Ljava/lang/StackTraceElement; Integer Integer \nL191: iload 5 \nL193: iload 4 \nL195: if_icmpge L243 \nL198: aload_3 \nL199: iload 5 \nL201: aaload \nL202: astore 6 \nL204: aload_1 \nL205: new java/lang/StringBuilder \nL208: dup \nL209: invokespecial Method java/lang/StringBuilder ()V \nL212: getstatic Field ThreadDumper INDENT Ljava/lang/String; \nL215: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL218: ldc 'at ' \nL220: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL223: aload 6 \nL225: invokevirtual Method java/lang/StackTraceElement toString ()Ljava/lang/String; \nL228: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL231: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL234: invokevirtual Method java/io/PrintWriter println (Ljava/lang/String;)V \nL237: iinc 5 1 \nL240: goto L191 \n\n .stack chop 3 \nL243: aload_1 \nL244: invokevirtual Method java/io/PrintWriter println ()V \n\n .stack chop 1 \nL247: return \nL248: \n .linenumbertable \n L0 76 \n L4 77 \n L33 78 \n L45 79 \n L58 80 \n L65 81 \n L92 83 \n L99 84 \n L106 86 \n L113 87 \n L120 89 \n L128 90 \n L135 91 \n L167 92 \n L176 91 \n L179 94 \n L204 95 \n L237 94 \n L243 97 \n L247 99 \n .end linenumbertable \n .end code \n.end method \n\n.method public static findDeadlock : ()Z \n .code stack 3 locals 9 \nL0: invokestatic Method java/lang/management/ManagementFactory getThreadMXBean ()Ljava/lang/management/ThreadMXBean; \nL3: astore_0 \nL4: aload_0 \nL5: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean findMonitorDeadlockedThreads ()[J 1 \nL10: astore_1 \nL11: aload_1 \nL12: ifnonnull L17 \nL15: iconst_0 \nL16: ireturn \n\n .stack append Object java/lang/management/ThreadMXBean Object [J \nL17: new java/io/StringWriter \nL20: dup \nL21: invokespecial Method java/io/StringWriter ()V \nL24: astore_2 \nL25: new java/io/PrintWriter \nL28: dup \nL29: aload_2 \nL30: invokespecial Method java/io/PrintWriter (Ljava/io/Writer;)V \nL33: astore_3 \nL34: aload_0 \nL35: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getAllThreadIds ()[J 1 \nL40: astore_1 \nL41: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL44: ldc 'Deadlock found :-' \nL46: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL49: aload_0 \nL50: aload_1 \nL51: ldc 2147483647 \nL53: invokeinterface InterfaceMethod java/lang/management/ThreadMXBean getThreadInfo ([JI)[Ljava/lang/management/ThreadInfo; 3 \nL58: astore 4 \nL60: aload 4 \nL62: astore 5 \nL64: aload 5 \nL66: arraylength \nL67: istore 6 \nL69: iconst_0 \nL70: istore 7 \n\n .stack full \n locals Object java/lang/management/ThreadMXBean Object [J Object java/io/StringWriter Object java/io/PrintWriter Object [Ljava/lang/management/ThreadInfo; Object [Ljava/lang/management/ThreadInfo; Integer Integer \n stack \n .end stack \nL72: iload 7 \nL74: iload 6 \nL76: if_icmpge L98 \nL79: aload 5 \nL81: iload 7 \nL83: aaload \nL84: astore 8 \nL86: aload 8 \nL88: aload_3 \nL89: invokestatic Method ThreadDumper printThreadInfo (Ljava/lang/management/ThreadInfo;Ljava/io/PrintWriter;)V \nL92: iinc 7 1 \nL95: goto L72 \n\n .stack chop 3 \nL98: aload_3 \nL99: invokevirtual Method java/io/PrintWriter flush ()V \nL102: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL105: aload_2 \nL106: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String; \nL109: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL112: iconst_1 \nL113: ireturn \nL114: \n .linenumbertable \n L0 106 \n L4 107 \n L11 108 \n L15 109 \n L17 111 \n L25 112 \n L34 114 \n L41 115 \n L49 116 \n L60 117 \n L86 118 \n L92 117 \n L98 120 \n L102 121 \n L112 122 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: ldc ' ' \nL2: putstatic Field ThreadDumper INDENT Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 13 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ThreadDumper.java' \n.innerclasses \n java/lang/Thread$State java/lang/Thread State public static final enum \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 17:09:03 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ThreadDumper_ESTest extends ThreadDumper_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n boolean boolean0 = ThreadDumper.findDeadlock();\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String string0 = ThreadDumper.getThreadInfo();\n String string1 = ThreadDumper.getThreadInfo();\n // // Unstable assertion: assertTrue(string1.equals((Object)string0));\n \n boolean boolean0 = ThreadDumper.findDeadlock();\n // // Unstable assertion: assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n ThreadDumper threadDumper0 = new ThreadDumper((-94091));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 17:09:03 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ThreadDumper_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ThreadDumper\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmproptvokg\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ThreadDumper_ESTest_scaffolding.class.getClassLoader() ,\n \"ThreadDumper\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ThreadDumper_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ThreadDumper\"\n );\n }\n}\n", "class_idx": 42} {"class_name": "ReflectionUtils", "java_source": "import java.lang.annotation.Annotation;\nimport java.lang.reflect.Method;\nimport java.util.ArrayList;\nimport java.util.Collection;\nimport java.util.List;\n\n/**\n * @author Vladislav Bauer\n */\n@SuppressWarnings(\"unchecked\")\npublic final class ReflectionUtils {\n\n public static final String PACKAGE_SEPARATOR = \".\";\n\n private ReflectionUtils() {\n throw new UnsupportedOperationException();\n }\n\n public static Class getClassWithoutProxies(final Object object) {\n try {\n // XXX: Use HibernateProxyHelper to un-proxy object and get the original class.\n return (Class)\n Class.forName(\"org.hibernate.proxy.HibernateProxyHelper\")\n .getDeclaredMethod(\"getClassWithoutInitializingProxy\", Object.class)\n .invoke(null, object);\n } catch (final Exception ex) {\n return getClassSafe(object);\n }\n }\n\n public static Class getClassSafe(final Object object) {\n return object != null ? (Class) object.getClass() : null;\n }\n\n public static T createObject(final String className) {\n try {\n final Class clazz = Class.forName(className);\n return (T) clazz.newInstance();\n } catch (final Throwable ex) {\n return null;\n }\n }\n\n public static Collection createObjects(final Collection classNames) {\n final List objects = new ArrayList<>();\n for (final String className : classNames) {\n final T object = createObject(className);\n if (object != null) {\n objects.add(object);\n }\n }\n return objects;\n }\n\n public static Collection classNames(\n final String packageName, final Collection classNames) {\n final List result = new ArrayList<>();\n for (final String className : classNames) {\n result.add(packageName + PACKAGE_SEPARATOR + className);\n }\n return result;\n }\n\n public static Method findDeclaredMethod(\n final Class objectClass, final String methodName, final Class[] parameterTypes) {\n try {\n return objectClass.getDeclaredMethod(methodName, parameterTypes);\n } catch (final Throwable ignored) {\n return null;\n }\n }\n\n public static T findAnnotationFromMethodOrClass(\n final Method method, final Class annotationClass) {\n final T annotation = method.getAnnotation(annotationClass);\n if (annotation != null) {\n return annotation;\n }\n\n final Class originClass = method.getDeclaringClass();\n return originClass.getAnnotation(annotationClass);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super ReflectionUtils \n.super java/lang/Object \n.field public static final PACKAGE_SEPARATOR Ljava/lang/String; = '.' \n\n.method private : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: new java/lang/UnsupportedOperationException \nL7: dup \nL8: invokespecial Method java/lang/UnsupportedOperationException ()V \nL11: athrow \nL12: \n .linenumbertable \n L0 19 \n L4 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getClassWithoutProxies : (Ljava/lang/Object;)Ljava/lang/Class; \n .code stack 6 locals 2 \n .catch java/lang/Exception from L0 to L34 using L35 \nL0: ldc 'org.hibernate.proxy.HibernateProxyHelper' \nL2: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class; \nL5: ldc 'getClassWithoutInitializingProxy' \nL7: iconst_1 \nL8: anewarray java/lang/Class \nL11: dup \nL12: iconst_0 \nL13: ldc Class java/lang/Object \nL15: aastore \nL16: invokevirtual Method java/lang/Class getDeclaredMethod (Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; \nL19: aconst_null \nL20: iconst_1 \nL21: anewarray java/lang/Object \nL24: dup \nL25: iconst_0 \nL26: aload_0 \nL27: aastore \nL28: invokevirtual Method java/lang/reflect/Method invoke (Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object; \nL31: checkcast java/lang/Class \nL34: areturn \n\n .stack stack_1 Object java/lang/Exception \nL35: astore_1 \nL36: aload_0 \nL37: invokestatic Method ReflectionUtils getClassSafe (Ljava/lang/Object;)Ljava/lang/Class; \nL40: areturn \nL41: \n .linenumbertable \n L0 27 \n L16 28 \n L28 29 \n L34 27 \n L35 30 \n L36 31 \n .end linenumbertable \n .end code \n .signature '(Ljava/lang/Object;)Ljava/lang/Class;' \n.end method \n\n.method public static getClassSafe : (Ljava/lang/Object;)Ljava/lang/Class; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: ifnull L11 \nL4: aload_0 \nL5: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL8: goto L12 \n\n .stack same \nL11: aconst_null \n\n .stack stack_1 Object java/lang/Class \nL12: areturn \nL13: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n .signature '(Ljava/lang/Object;)Ljava/lang/Class;' \n.end method \n\n.method public static createObject : (Ljava/lang/String;)Ljava/lang/Object; \n .code stack 1 locals 2 \n .catch java/lang/Throwable from L0 to L9 using L10 \nL0: aload_0 \nL1: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class; \nL4: astore_1 \nL5: aload_1 \nL6: invokevirtual Method java/lang/Class newInstance ()Ljava/lang/Object; \nL9: areturn \n\n .stack stack_1 Object java/lang/Throwable \nL10: astore_1 \nL11: aconst_null \nL12: areturn \nL13: \n .linenumbertable \n L0 41 \n L5 42 \n L10 43 \n L11 44 \n .end linenumbertable \n .end code \n .signature '(Ljava/lang/String;)TT;' \n.end method \n\n.method public static createObjects : (Ljava/util/Collection;)Ljava/util/Collection; \n .code stack 2 locals 5 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_1 \nL8: aload_0 \nL9: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 \nL14: astore_2 \n\n .stack append Object java/util/List Object java/util/Iterator \nL15: aload_2 \nL16: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL21: ifeq L57 \nL24: aload_2 \nL25: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL30: checkcast java/lang/String \nL33: astore_3 \nL34: aload_3 \nL35: invokestatic Method ReflectionUtils createObject (Ljava/lang/String;)Ljava/lang/Object; \nL38: astore 4 \nL40: aload 4 \nL42: ifnull L54 \nL45: aload_1 \nL46: aload 4 \nL48: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL53: pop \n\n .stack same \nL54: goto L15 \n\n .stack chop 1 \nL57: aload_1 \nL58: areturn \nL59: \n .linenumbertable \n L0 49 \n L8 50 \n L34 51 \n L40 52 \n L45 53 \n L54 55 \n L57 56 \n .end linenumbertable \n .end code \n .signature '(Ljava/util/Collection;)Ljava/util/Collection;' \n.end method \n\n.method public static classNames : (Ljava/lang/String;Ljava/util/Collection;)Ljava/util/Collection; \n .code stack 3 locals 5 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_2 \nL8: aload_1 \nL9: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 \nL14: astore_3 \n\n .stack append Object java/util/List Object java/util/Iterator \nL15: aload_3 \nL16: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL21: ifeq L69 \nL24: aload_3 \nL25: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL30: checkcast java/lang/String \nL33: astore 4 \nL35: aload_2 \nL36: new java/lang/StringBuilder \nL39: dup \nL40: invokespecial Method java/lang/StringBuilder ()V \nL43: aload_0 \nL44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL47: ldc '.' \nL49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL52: aload 4 \nL54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL57: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL60: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL65: pop \nL66: goto L15 \n\n .stack chop 1 \nL69: aload_2 \nL70: areturn \nL71: \n .linenumbertable \n L0 60 \n L8 61 \n L35 62 \n L66 63 \n L69 64 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;Ljava/util/Collection;)Ljava/util/Collection; \n.end method \n\n.method public static findDeclaredMethod : (Ljava/lang/Class;Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; \n .code stack 3 locals 4 \n .catch java/lang/Throwable from L0 to L6 using L7 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokevirtual Method java/lang/Class getDeclaredMethod (Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; \nL6: areturn \n\n .stack stack_1 Object java/lang/Throwable \nL7: astore_3 \nL8: aconst_null \nL9: areturn \nL10: \n .linenumbertable \n L0 71 \n L7 72 \n L8 73 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/Class<*>;Ljava/lang/String;[Ljava/lang/Class<*>;)Ljava/lang/reflect/Method; \n.end method \n\n.method public static findAnnotationFromMethodOrClass : (Ljava/lang/reflect/Method;Ljava/lang/Class;)Ljava/lang/annotation/Annotation; \n .code stack 2 locals 4 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method java/lang/reflect/Method getAnnotation (Ljava/lang/Class;)Ljava/lang/annotation/Annotation; \nL5: astore_2 \nL6: aload_2 \nL7: ifnull L12 \nL10: aload_2 \nL11: areturn \n\n .stack append Object java/lang/annotation/Annotation \nL12: aload_0 \nL13: invokevirtual Method java/lang/reflect/Method getDeclaringClass ()Ljava/lang/Class; \nL16: astore_3 \nL17: aload_3 \nL18: aload_1 \nL19: invokevirtual Method java/lang/Class getAnnotation (Ljava/lang/Class;)Ljava/lang/annotation/Annotation; \nL22: areturn \nL23: \n .linenumbertable \n L0 80 \n L6 81 \n L10 82 \n L12 85 \n L17 86 \n .end linenumbertable \n .end code \n .signature '(Ljava/lang/reflect/Method;Ljava/lang/Class;)TT;' \n.end method \n.sourcefile 'ReflectionUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 00:05:12 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.lang.annotation.Annotation;\nimport java.lang.reflect.Array;\nimport java.lang.reflect.Method;\nimport java.util.Collection;\nimport java.util.LinkedList;\nimport java.util.function.Predicate;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ReflectionUtils_ESTest extends ReflectionUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Class class0 = Annotation.class;\n // Undeclared exception!\n try { \n ReflectionUtils.findAnnotationFromMethodOrClass((Method) null, class0);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"ReflectionUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Object object0 = ReflectionUtils.createObject(\"ReflectionUtils\");\n assertNull(object0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Class class0 = ReflectionUtils.getClassWithoutProxies((Object) null);\n assertNull(class0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Predicate predicate0 = Predicate.isEqual((Object) null);\n Class class0 = ReflectionUtils.getClassWithoutProxies((Object) predicate0);\n assertFalse(class0.isInterface());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Object object0 = new Object();\n Class class0 = ReflectionUtils.getClassSafe(object0);\n assertFalse(class0.isInterface());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n linkedList0.add((String) null);\n Collection collection0 = ReflectionUtils.classNames(\"\", linkedList0);\n assertFalse(collection0.contains(\"\"));\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n linkedList0.add((String) null);\n Collection collection0 = ReflectionUtils.createObjects((Collection) linkedList0);\n assertNotNull(collection0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Class class0 = ReflectionUtils.getClassSafe((Object) null);\n assertNull(class0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n Class class0 = ReflectionUtils.getClassWithoutProxies((Object) \"\");\n Class[] classArray0 = (Class[]) Array.newInstance(Class.class, 5);\n Method method0 = ReflectionUtils.findDeclaredMethod(class0, \"\", classArray0);\n assertNull(method0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 00:05:12 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ReflectionUtils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ReflectionUtils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1d20ccon\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ReflectionUtils_ESTest_scaffolding.class.getClassLoader() ,\n \"ReflectionUtils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReflectionUtils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ReflectionUtils\"\n );\n }\n}\n", "class_idx": 43} {"class_name": "SOAPException", "java_source": "/*\n * Copyright (c) 1998-2011 Caucho Technology -- all rights reserved\n *\n * This file is part of Resin(R) Open Source\n *\n * Each copy or derived work must preserve the copyright notice and this\n * notice unmodified.\n *\n * Resin Open Source is free software; you can redistribute it and/or modify\n * it under the terms of the GNU General Public License as published by\n * the Free Software Foundation; either version 2 of the License, or\n * (at your option) any later version.\n *\n * Resin Open Source is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE, or any warranty\n * of NON-INFRINGEMENT. See the GNU General Public License for more\n * details.\n *\n * You should have received a copy of the GNU General Public License\n * along with Resin Open Source; if not, write to the\n *\n * Free Software Foundation, Inc.\n * 59 Temple Place, Suite 330\n * Boston, MA 02111-1307 USA\n *\n * @author Scott Ferguson\n */\n\npublic class SOAPException extends Exception {\n // for some reason, this is overridden according to the javadocs\n // XXX remove?\n private Throwable _cause;\n\n public SOAPException() {\n super();\n }\n\n public SOAPException(String reason) {\n super(reason);\n }\n\n public SOAPException(String reason, Throwable cause) {\n super(reason);\n\n _cause = cause;\n }\n\n public SOAPException(Throwable cause) {\n super();\n\n _cause = cause;\n }\n\n public Throwable getCause() {\n return _cause;\n }\n\n public Throwable initCause(Throwable cause) {\n _cause = cause;\n\n return this;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SOAPException \n.super java/lang/Exception \n.field private _cause Ljava/lang/Throwable; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 39 \n L4 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 44 \n L5 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: aload_0 \nL6: aload_2 \nL7: putfield Field SOAPException _cause Ljava/lang/Throwable; \nL10: return \nL11: \n .linenumbertable \n L0 49 \n L5 51 \n L10 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field SOAPException _cause Ljava/lang/Throwable; \nL9: return \nL10: \n .linenumbertable \n L0 56 \n L4 58 \n L9 59 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCause : ()Ljava/lang/Throwable; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SOAPException _cause Ljava/lang/Throwable; \nL4: areturn \nL5: \n .linenumbertable \n L0 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public initCause : (Ljava/lang/Throwable;)Ljava/lang/Throwable; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SOAPException _cause Ljava/lang/Throwable; \nL5: aload_0 \nL6: areturn \nL7: \n .linenumbertable \n L0 68 \n L5 70 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SOAPException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 06:03:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SOAPException_ESTest extends SOAPException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable((String) null);\n SOAPException sOAPException0 = new SOAPException(mockThrowable0);\n Throwable throwable0 = sOAPException0.getCause();\n assertSame(throwable0, mockThrowable0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SOAPException sOAPException0 = new SOAPException((String) null);\n SOAPException sOAPException1 = new SOAPException((String) null, sOAPException0);\n assertFalse(sOAPException1.equals((Object)sOAPException0));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SOAPException sOAPException0 = new SOAPException();\n Throwable throwable0 = sOAPException0.initCause(sOAPException0);\n assertSame(sOAPException0, throwable0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n SOAPException sOAPException0 = new SOAPException((String) null);\n Throwable throwable0 = sOAPException0.getCause();\n assertNull(throwable0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 06:03:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SOAPException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SOAPException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmptzo2xc5s\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SOAPException_ESTest_scaffolding.class.getClassLoader() ,\n \"SOAPException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SOAPException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SOAPException\"\n );\n }\n}\n", "class_idx": 44} {"class_name": "IndentationHelper", "java_source": "/*-\n * #%L\n * OpenFastTrace\n * %%\n * Copyright (C) 2016 - 2018 itsallcode.org\n * %%\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * You should have received a copy of the GNU General Public\n * License along with this program. If not, see\n * .\n * #L%\n */\n\n/** Contains static helper methods for indentation. */\npublic final class IndentationHelper {\n private static final int INDENT_SPACES_PER_LEVEL = 2;\n\n private IndentationHelper() {\n // prevent instantiation.\n }\n\n /**\n * Create indentation prefix (i.e. white spaces)\n *\n * @param level indentation level\n * @return level white spaces\n */\n public static String createIndentationPrefix(final int level) {\n return new String(new char[level * INDENT_SPACES_PER_LEVEL]).replace(\"\\0\", \" \");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super IndentationHelper \n.super java/lang/Object \n.field private static final INDENT_SPACES_PER_LEVEL I = 2 \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 33 \n L4 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public static createIndentationPrefix : (I)Ljava/lang/String; \n .code stack 4 locals 1 \nL0: new java/lang/String \nL3: dup \nL4: iload_0 \nL5: iconst_2 \nL6: imul \nL7: newarray char \nL9: invokespecial Method java/lang/String ([C)V \nL12: ldc '\\x00' \nL14: ldc ' ' \nL16: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String; \nL19: areturn \nL20: \n .linenumbertable \n L0 46 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'IndentationHelper.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 13:23:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class IndentationHelper_ESTest extends IndentationHelper_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String string0 = IndentationHelper.createIndentationPrefix(39985);\n assertNotNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String string0 = IndentationHelper.createIndentationPrefix(0);\n assertEquals(\"\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 13:23:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class IndentationHelper_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"IndentationHelper\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpmdsjzbhb\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IndentationHelper_ESTest_scaffolding.class.getClassLoader() ,\n \"IndentationHelper\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IndentationHelper_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"IndentationHelper\"\n );\n }\n}\n", "class_idx": 45} {"class_name": "MappingParseException", "java_source": "/*******************************************************************************\n * Copyright (c) 2015 Jeff Martin.\n * All rights reserved. This program and the accompanying materials\n * are made available under the terms of the GNU Lesser General Public\n * License v3.0 which accompanies this distribution, and is available at\n * http://www.gnu.org/licenses/lgpl.html\n *\n * Contributors:\n * Jeff Martin - initial API and implementation\n ******************************************************************************/\n\npublic class MappingParseException extends Exception {\n\n private static final long serialVersionUID = -5487280332892507236L;\n\n private int m_line;\n private String m_message;\n\n public MappingParseException(int line, String message) {\n m_line = line;\n m_message = message;\n }\n\n @Override\n public String getMessage() {\n return \"Line \" + m_line + \": \" + m_message;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MappingParseException \n.super java/lang/Exception \n.field private static final serialVersionUID J = -5487280332892507236L \n.field private m_line I \n.field private m_message Ljava/lang/String; \n\n.method public : (ILjava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field MappingParseException m_line I \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field MappingParseException m_message Ljava/lang/String; \nL14: return \nL15: \n .linenumbertable \n L0 22 \n L4 23 \n L9 24 \n L14 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMessage : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'Line ' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field MappingParseException m_line I \nL16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL19: ldc ': ' \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL24: aload_0 \nL25: getfield Field MappingParseException m_message Ljava/lang/String; \nL28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL34: areturn \nL35: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MappingParseException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 05:44:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MappingParseException_ESTest extends MappingParseException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MappingParseException mappingParseException0 = new MappingParseException((-29101), \"=\");\n String string0 = mappingParseException0.getMessage();\n assertEquals(\"Line -29101: =\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 05:44:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MappingParseException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MappingParseException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp4bjvba_b\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MappingParseException_ESTest_scaffolding.class.getClassLoader() ,\n \"MappingParseException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MappingParseException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MappingParseException\"\n );\n }\n}\n", "class_idx": 46} {"class_name": "HookWriter", "java_source": "/*******************************************************************************\n * Copyright (c) 2015 Contributors.\n * All rights reserved. This program and the accompanying materials are made available under\n * the terms of the GNU Lesser General Public\n * License v3.0 which accompanies this distribution, and is available at\n * http://www.gnu.org/licenses/lgpl.html\n ******************************************************************************/\n\npublic class HookWriter {}\n", "jasm_code": ".version 52 0 \n.class public super HookWriter \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 10 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'HookWriter.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 22:31:29 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HookWriter_ESTest extends HookWriter_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n HookWriter hookWriter0 = new HookWriter();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 22:31:29 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HookWriter_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HookWriter\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp8pl0wtmr\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HookWriter_ESTest_scaffolding.class.getClassLoader() ,\n \"HookWriter\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HookWriter_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HookWriter\"\n );\n }\n}\n", "class_idx": 47} {"class_name": "UsingArrayListRemove", "java_source": "import java.util.ArrayList;\nimport java.util.List;\n\n/** Created by Hector Huby on 05/12/2016. */\npublic class UsingArrayListRemove {\n public static void main(String[] args) {\n List birds = new ArrayList<>();\n birds.add(\"hawk\");\n birds.add(\"hawk\");\n System.out.println(birds.remove(\"cardinal\"));\n System.out.println(birds.remove(\"hawk\"));\n System.out.println(birds.remove(0));\n System.out.println(birds);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UsingArrayListRemove \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 2 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_1 \nL8: aload_1 \nL9: ldc 'hawk' \nL11: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL16: pop \nL17: aload_1 \nL18: ldc 'hawk' \nL20: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL25: pop \nL26: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL29: aload_1 \nL30: ldc 'cardinal' \nL32: invokeinterface InterfaceMethod java/util/List remove (Ljava/lang/Object;)Z 2 \nL37: invokevirtual Method java/io/PrintStream println (Z)V \nL40: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL43: aload_1 \nL44: ldc 'hawk' \nL46: invokeinterface InterfaceMethod java/util/List remove (Ljava/lang/Object;)Z 2 \nL51: invokevirtual Method java/io/PrintStream println (Z)V \nL54: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL57: aload_1 \nL58: iconst_0 \nL59: invokeinterface InterfaceMethod java/util/List remove (I)Ljava/lang/Object; 2 \nL64: checkcast java/lang/String \nL67: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL70: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL73: aload_1 \nL74: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL77: return \nL78: \n .linenumbertable \n L0 11 \n L8 12 \n L17 13 \n L26 14 \n L40 15 \n L54 16 \n L70 17 \n L77 18 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UsingArrayListRemove.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 21:01:43 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UsingArrayListRemove_ESTest extends UsingArrayListRemove_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[0];\n UsingArrayListRemove.main(stringArray0);\n assertEquals(0, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n UsingArrayListRemove usingArrayListRemove0 = new UsingArrayListRemove();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 21:01:43 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UsingArrayListRemove_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UsingArrayListRemove\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpnf4dy9jm\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UsingArrayListRemove_ESTest_scaffolding.class.getClassLoader() ,\n \"UsingArrayListRemove\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UsingArrayListRemove_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UsingArrayListRemove\"\n );\n }\n}\n", "class_idx": 48} {"class_name": "BleNotAvailableException", "java_source": "public class BleNotAvailableException extends RuntimeException {\n\n private static final long serialVersionUID = -8532603161001803466L;\n\n public BleNotAvailableException(String message) {\n super(message);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BleNotAvailableException \n.super java/lang/RuntimeException \n.field private static final serialVersionUID J = -8532603161001803466L \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 8 \n L5 9 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BleNotAvailableException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 18:39:22 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BleNotAvailableException_ESTest extends BleNotAvailableException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BleNotAvailableException bleNotAvailableException0 = new BleNotAvailableException(\"\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 18:39:22 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BleNotAvailableException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BleNotAvailableException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpku4s0l23\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BleNotAvailableException_ESTest_scaffolding.class.getClassLoader() ,\n \"BleNotAvailableException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BleNotAvailableException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BleNotAvailableException\"\n );\n }\n}\n", "class_idx": 49} {"class_name": "SampleProc", "java_source": "import java.util.Scanner;\n\npublic class SampleProc {\n\n public static void main(String[] args) {\n\n SampleProc sp = new SampleProc();\n\n Scanner sc = new Scanner(System.in);\n int a = sc.nextInt();\n int b = sc.nextInt();\n int sum = sp.m1(a, b);\n System.out.println(sum);\n }\n\n public int m1(int a, int b) {\n\n int sum = 0;\n sum = a + b;\n return sum;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SampleProc \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 6 \nL0: new SampleProc \nL3: dup \nL4: invokespecial Method SampleProc ()V \nL7: astore_1 \nL8: new java/util/Scanner \nL11: dup \nL12: getstatic Field java/lang/System in Ljava/io/InputStream; \nL15: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL18: astore_2 \nL19: aload_2 \nL20: invokevirtual Method java/util/Scanner nextInt ()I \nL23: istore_3 \nL24: aload_2 \nL25: invokevirtual Method java/util/Scanner nextInt ()I \nL28: istore 4 \nL30: aload_1 \nL31: iload_3 \nL32: iload 4 \nL34: invokevirtual Method SampleProc m1 (II)I \nL37: istore 5 \nL39: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL42: iload 5 \nL44: invokevirtual Method java/io/PrintStream println (I)V \nL47: return \nL48: \n .linenumbertable \n L0 11 \n L8 13 \n L19 14 \n L24 15 \n L30 16 \n L39 17 \n L47 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public m1 : (II)I \n .code stack 2 locals 4 \nL0: iconst_0 \nL1: istore_3 \nL2: iload_1 \nL3: iload_2 \nL4: iadd \nL5: istore_3 \nL6: iload_3 \nL7: ireturn \nL8: \n .linenumbertable \n L0 22 \n L2 23 \n L6 24 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SampleProc.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 15:54:53 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.InputMismatchException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SampleProc_ESTest extends SampleProc_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInUtil.addInputLine(\"4 hrC;K+}E2F:!}\\\"\\\"NY\");\n // Undeclared exception!\n try { \n SampleProc.main((String[]) null);\n fail(\"Expecting exception: InputMismatchException\");\n \n } catch(InputMismatchException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SampleProc sampleProc0 = new SampleProc();\n int int0 = sampleProc0.m1(0, 0);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SampleProc sampleProc0 = new SampleProc();\n int int0 = sampleProc0.m1(13633, 13633);\n assertEquals(27266, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n SampleProc sampleProc0 = new SampleProc();\n int int0 = sampleProc0.m1((-33222), (-33222));\n assertEquals((-66444), int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 15:54:53 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SampleProc_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SampleProc\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpb0e4yakd\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SampleProc_ESTest_scaffolding.class.getClassLoader() ,\n \"SampleProc\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SampleProc_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SampleProc\"\n );\n }\n}\n", "class_idx": 50} {"class_name": "MemberTreeNode", "java_source": "/*******************************************************************************\n * Copyright (c) 2004, 2009 Actuate Corporation.\n * All rights reserved. This program and the accompanying materials\n * are made available under the terms of the Eclipse Public License v1.0\n * which accompanies this distribution, and is available at\n * http://www.eclipse.org/legal/epl-v10.html\n *\n * Contributors:\n * Actuate Corporation - initial API and implementation\n *******************************************************************************/\n\nimport java.util.ArrayList;\nimport java.util.Arrays;\nimport java.util.List;\n\n/** */\nclass MemberTreeNode {\n\n List childNodesList;\n Object key;\n MemberTreeNode parentNode;\n\n MemberTreeNode(Object key) {\n this.childNodesList = new ArrayList();\n this.key = key;\n }\n\n void insertNode(MemberTreeNode node) {\n childNodesList.add(node);\n }\n\n void addAllNodes(MemberTreeNode[] nodes) {\n List nodesList = Arrays.asList(nodes);\n childNodesList.addAll(nodesList);\n for (int i = 0; i < nodesList.size(); i++) {\n ((MemberTreeNode) nodesList.get(i)).parentNode = this;\n }\n }\n\n MemberTreeNode getChild(Object childKey) {\n for (int i = 0; i < this.childNodesList.size(); i++) {\n MemberTreeNode node = (MemberTreeNode) childNodesList.get(i);\n if (node.key.equals(childKey)) {\n return node;\n }\n }\n return null;\n }\n\n boolean containsChild(Object childKey) {\n for (int i = 0; i < this.childNodesList.size(); i++) {\n MemberTreeNode node = (MemberTreeNode) childNodesList.get(i);\n if (node.key.equals(childKey)) {\n return true;\n }\n }\n return false;\n }\n}\n", "jasm_code": ".version 52 0 \n.class super MemberTreeNode \n.super java/lang/Object \n.field childNodesList Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field key Ljava/lang/Object; \n.field parentNode LMemberTreeNode; \n\n.method : (Ljava/lang/Object;)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/ArrayList \nL8: dup \nL9: invokespecial Method java/util/ArrayList ()V \nL12: putfield Field MemberTreeNode childNodesList Ljava/util/List; \nL15: aload_0 \nL16: aload_1 \nL17: putfield Field MemberTreeNode key Ljava/lang/Object; \nL20: return \nL21: \n .linenumbertable \n L0 29 \n L4 30 \n L15 31 \n L20 32 \n .end linenumbertable \n .end code \n.end method \n\n.method insertNode : (LMemberTreeNode;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field MemberTreeNode childNodesList Ljava/util/List; \nL4: aload_1 \nL5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL10: pop \nL11: return \nL12: \n .linenumbertable \n L0 36 \n L11 37 \n .end linenumbertable \n .end code \n.end method \n\n.method addAllNodes : ([LMemberTreeNode;)V \n .code stack 2 locals 4 \nL0: aload_1 \nL1: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List; \nL4: astore_2 \nL5: aload_0 \nL6: getfield Field MemberTreeNode childNodesList Ljava/util/List; \nL9: aload_2 \nL10: invokeinterface InterfaceMethod java/util/List addAll (Ljava/util/Collection;)Z 2 \nL15: pop \nL16: iconst_0 \nL17: istore_3 \n\n .stack append Object java/util/List Integer \nL18: iload_3 \nL19: aload_2 \nL20: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL25: if_icmpge L48 \nL28: aload_2 \nL29: iload_3 \nL30: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 \nL35: checkcast MemberTreeNode \nL38: aload_0 \nL39: putfield Field MemberTreeNode parentNode LMemberTreeNode; \nL42: iinc 3 1 \nL45: goto L18 \n\n .stack chop 1 \nL48: return \nL49: \n .linenumbertable \n L0 41 \n L5 42 \n L16 43 \n L28 45 \n L42 43 \n L48 47 \n .end linenumbertable \n .end code \n.end method \n\n.method getChild : (Ljava/lang/Object;)LMemberTreeNode; \n .code stack 2 locals 4 \nL0: iconst_0 \nL1: istore_2 \n\n .stack append Integer \nL2: iload_2 \nL3: aload_0 \nL4: getfield Field MemberTreeNode childNodesList Ljava/util/List; \nL7: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL12: if_icmpge L48 \nL15: aload_0 \nL16: getfield Field MemberTreeNode childNodesList Ljava/util/List; \nL19: iload_2 \nL20: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 \nL25: checkcast MemberTreeNode \nL28: astore_3 \nL29: aload_3 \nL30: getfield Field MemberTreeNode key Ljava/lang/Object; \nL33: aload_1 \nL34: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z \nL37: ifeq L42 \nL40: aload_3 \nL41: areturn \n\n .stack same \nL42: iinc 2 1 \nL45: goto L2 \n\n .stack chop 1 \nL48: aconst_null \nL49: areturn \nL50: \n .linenumbertable \n L0 51 \n L15 53 \n L29 54 \n L40 56 \n L42 51 \n L48 59 \n .end linenumbertable \n .end code \n.end method \n\n.method containsChild : (Ljava/lang/Object;)Z \n .code stack 2 locals 4 \nL0: iconst_0 \nL1: istore_2 \n\n .stack append Integer \nL2: iload_2 \nL3: aload_0 \nL4: getfield Field MemberTreeNode childNodesList Ljava/util/List; \nL7: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL12: if_icmpge L48 \nL15: aload_0 \nL16: getfield Field MemberTreeNode childNodesList Ljava/util/List; \nL19: iload_2 \nL20: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 \nL25: checkcast MemberTreeNode \nL28: astore_3 \nL29: aload_3 \nL30: getfield Field MemberTreeNode key Ljava/lang/Object; \nL33: aload_1 \nL34: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z \nL37: ifeq L42 \nL40: iconst_1 \nL41: ireturn \n\n .stack same \nL42: iinc 2 1 \nL45: goto L2 \n\n .stack chop 1 \nL48: iconst_0 \nL49: ireturn \nL50: \n .linenumbertable \n L0 64 \n L15 66 \n L29 67 \n L40 69 \n L42 64 \n L48 72 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MemberTreeNode.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 09:12:55 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MemberTreeNode_ESTest extends MemberTreeNode_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MemberTreeNode memberTreeNode0 = new MemberTreeNode((Object) null);\n Object object0 = new Object();\n MemberTreeNode[] memberTreeNodeArray0 = new MemberTreeNode[2];\n memberTreeNodeArray0[0] = memberTreeNode0;\n memberTreeNodeArray0[1] = memberTreeNode0;\n memberTreeNodeArray0[1].key = (Object) memberTreeNodeArray0[1];\n memberTreeNode0.containsChild(object0);\n memberTreeNodeArray0[0].insertNode(memberTreeNode0);\n memberTreeNode0.addAllNodes(memberTreeNodeArray0);\n memberTreeNode0.containsChild(memberTreeNodeArray0[0]);\n memberTreeNode0.containsChild(memberTreeNode0);\n MemberTreeNode memberTreeNode1 = new MemberTreeNode(memberTreeNodeArray0[1]);\n MemberTreeNode memberTreeNode2 = memberTreeNode0.getChild(memberTreeNodeArray0[1]);\n assertFalse(memberTreeNode2.equals((Object)memberTreeNode1));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MemberTreeNode memberTreeNode0 = new MemberTreeNode((Object) null);\n Object object0 = new Object();\n memberTreeNode0.key = object0;\n MemberTreeNode[] memberTreeNodeArray0 = new MemberTreeNode[2];\n memberTreeNodeArray0[0] = memberTreeNode0;\n memberTreeNodeArray0[1] = memberTreeNode0;\n memberTreeNode0.addAllNodes(memberTreeNodeArray0);\n MemberTreeNode memberTreeNode1 = new MemberTreeNode(memberTreeNode0);\n memberTreeNode0.addAllNodes(memberTreeNodeArray0);\n Object object1 = new Object();\n memberTreeNode0.containsChild(object1);\n memberTreeNode1.parentNode = memberTreeNode0;\n memberTreeNode1.parentNode.key = (Object) memberTreeNode0;\n memberTreeNode1.insertNode(memberTreeNode0);\n memberTreeNode0.addAllNodes(memberTreeNodeArray0);\n memberTreeNode0.containsChild(memberTreeNode0);\n MemberTreeNode memberTreeNode2 = new MemberTreeNode(memberTreeNode1);\n MemberTreeNode memberTreeNode3 = memberTreeNode0.getChild(memberTreeNode1);\n assertNull(memberTreeNode3);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Object object0 = new Object();\n MemberTreeNode memberTreeNode0 = new MemberTreeNode(object0);\n MemberTreeNode[] memberTreeNodeArray0 = new MemberTreeNode[1];\n memberTreeNodeArray0[0] = memberTreeNode0;\n memberTreeNode0.addAllNodes(memberTreeNodeArray0);\n boolean boolean0 = memberTreeNode0.containsChild(\"\");\n assertFalse(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 09:12:55 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MemberTreeNode_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MemberTreeNode\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp8xygn0hg\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MemberTreeNode_ESTest_scaffolding.class.getClassLoader() ,\n \"MemberTreeNode\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MemberTreeNode_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MemberTreeNode\"\n );\n }\n}\n", "class_idx": 51} {"class_name": "PropertyStoreException", "java_source": "/******************************************************************************\n * Copyright (c) 2013-2014, AllSeen Alliance. All rights reserved.\n *\n * Permission to use, copy, modify, and/or distribute this software for any\n * purpose with or without fee is hereby granted, provided that the above\n * copyright notice and this permission notice appear in all copies.\n *\n * THE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES\n * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF\n * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR\n * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES\n * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN\n * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF\n * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.\n ******************************************************************************/\n\n/**\n * An exception that is thrown by the PropertyStore when illegal arguments are given in set/get\n * methods.\n *\n * @see PropertyStore\n */\npublic class PropertyStoreException extends Exception {\n private static final long serialVersionUID = -8488311339426012157L;\n\n /** The given key is not supported */\n public static final int UNSUPPORTED_KEY = 0;\n\n /** The given language is not supported */\n public static final int UNSUPPORTED_LANGUAGE = 1;\n\n /** Trying to set a read-only field */\n public static final int ILLEGAL_ACCESS = 2;\n\n /** Trying to set a field to an invalid */\n public static final int INVALID_VALUE = 3;\n\n private int m_reason;\n\n public PropertyStoreException(int reason) {\n m_reason = reason;\n }\n\n /**\n * The reason for failure\n *\n * @return reason for failure\n */\n public int getReason() {\n return m_reason;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PropertyStoreException \n.super java/lang/Exception \n.field private static final serialVersionUID J = -8488311339426012157L \n.field public static final UNSUPPORTED_KEY I = 0 \n.field public static final UNSUPPORTED_LANGUAGE I = 1 \n.field public static final ILLEGAL_ACCESS I = 2 \n.field public static final INVALID_VALUE I = 3 \n.field private m_reason I \n\n.method public : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field PropertyStoreException m_reason I \nL9: return \nL10: \n .linenumbertable \n L0 49 \n L4 50 \n L9 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public getReason : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyStoreException m_reason I \nL4: ireturn \nL5: \n .linenumbertable \n L0 59 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PropertyStoreException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:33:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PropertyStoreException_ESTest extends PropertyStoreException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n PropertyStoreException propertyStoreException0 = new PropertyStoreException(43348);\n int int0 = propertyStoreException0.getReason();\n assertEquals(43348, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n PropertyStoreException propertyStoreException0 = new PropertyStoreException((-53514));\n int int0 = propertyStoreException0.getReason();\n assertEquals((-53514), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n PropertyStoreException propertyStoreException0 = new PropertyStoreException(0);\n int int0 = propertyStoreException0.getReason();\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:33:14 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PropertyStoreException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PropertyStoreException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpj299_fi3\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PropertyStoreException_ESTest_scaffolding.class.getClassLoader() ,\n \"PropertyStoreException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PropertyStoreException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PropertyStoreException\"\n );\n }\n}\n", "class_idx": 52} {"class_name": "CarPark", "java_source": "public class CarPark {\n\n private int id;\n private String name;\n private int capacity;\n private String administrator;\n\n public CarPark(int id, String name, int capacity, String administrator) {\n this.id = id;\n this.name = name;\n this.capacity = capacity;\n this.administrator = administrator;\n }\n\n public String getName() {\n return name;\n }\n\n public void setName(String name) {\n this.name = name;\n }\n\n public int getId() {\n return id;\n }\n\n public void setId(int id) {\n this.id = id;\n }\n\n public int getCapacity() {\n return capacity;\n }\n\n public void setCapacity(int capacity) {\n this.capacity = capacity;\n }\n\n public String getAdministrator() {\n return administrator;\n }\n\n public void setAdministrator(String administrator) {\n this.administrator = administrator;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CarPark \n.super java/lang/Object \n.field private id I \n.field private name Ljava/lang/String; \n.field private capacity I \n.field private administrator Ljava/lang/String; \n\n.method public : (ILjava/lang/String;ILjava/lang/String;)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field CarPark id I \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field CarPark name Ljava/lang/String; \nL14: aload_0 \nL15: iload_3 \nL16: putfield Field CarPark capacity I \nL19: aload_0 \nL20: aload 4 \nL22: putfield Field CarPark administrator Ljava/lang/String; \nL25: return \nL26: \n .linenumbertable \n L0 12 \n L4 13 \n L9 14 \n L14 15 \n L19 16 \n L25 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CarPark name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public setName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field CarPark name Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 24 \n L5 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CarPark id I \nL4: ireturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field CarPark id I \nL5: return \nL6: \n .linenumbertable \n L0 32 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCapacity : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CarPark capacity I \nL4: ireturn \nL5: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCapacity : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field CarPark capacity I \nL5: return \nL6: \n .linenumbertable \n L0 40 \n L5 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAdministrator : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CarPark administrator Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public setAdministrator : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field CarPark administrator Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 48 \n L5 49 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CarPark.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 00:58:12 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CarPark_ESTest extends CarPark_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n CarPark carPark0 = new CarPark((-41704), (String) null, (-41704), (String) null);\n carPark0.getName();\n assertEquals((-41704), carPark0.getId());\n assertEquals((-41704), carPark0.getCapacity());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n CarPark carPark0 = new CarPark(0, \"SX&^ym\", 0, \"SX&^ym\");\n int int0 = carPark0.getId();\n assertEquals(0, carPark0.getCapacity());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n CarPark carPark0 = new CarPark(1, \"eC@|shX@a%(qessHfE5\", 1, \"\");\n int int0 = carPark0.getId();\n assertEquals(1, int0);\n assertEquals(1, carPark0.getCapacity());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n CarPark carPark0 = new CarPark(1, \"x4o\", 0, \"x4o\");\n int int0 = carPark0.getCapacity();\n assertEquals(1, carPark0.getId());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n carPark0.setCapacity(39009);\n int int0 = carPark0.getCapacity();\n assertEquals(39009, int0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n CarPark carPark0 = new CarPark(24361, \"c6g7N\u007fOl)Z77\", 24361, (String) null);\n carPark0.getAdministrator();\n assertEquals(24361, carPark0.getId());\n assertEquals(24361, carPark0.getCapacity());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n CarPark carPark0 = new CarPark(15344, \"#ol|u\", 15344, \"#ol|u\");\n carPark0.getAdministrator();\n assertEquals(15344, carPark0.getCapacity());\n assertEquals(15344, carPark0.getId());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n carPark0.setAdministrator(\"\");\n assertEquals((-6916), carPark0.getCapacity());\n assertEquals((-69383), carPark0.getId());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n carPark0.setId((-6916));\n assertEquals((-6916), carPark0.getId());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n carPark0.getName();\n assertEquals((-6916), carPark0.getCapacity());\n assertEquals((-69383), carPark0.getId());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n int int0 = carPark0.getCapacity();\n assertEquals((-69383), carPark0.getId());\n assertEquals((-6916), int0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n int int0 = carPark0.getId();\n assertEquals((-6916), carPark0.getCapacity());\n assertEquals((-69383), int0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n carPark0.getAdministrator();\n assertEquals((-6916), carPark0.getCapacity());\n assertEquals((-69383), carPark0.getId());\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n CarPark carPark0 = new CarPark((-69383), \"rQ,b' hJuH8H4g\", (-6916), \"\");\n carPark0.setName(\"\");\n carPark0.getName();\n assertEquals((-69383), carPark0.getId());\n assertEquals((-6916), carPark0.getCapacity());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 00:58:12 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CarPark_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CarPark\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfuwkvypz\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CarPark_ESTest_scaffolding.class.getClassLoader() ,\n \"CarPark\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CarPark_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CarPark\"\n );\n }\n}\n", "class_idx": 53} {"class_name": "DispatchRequest", "java_source": "/**\n * Copyright (C) 2010-2013 Alibaba Group Holding Limited\n *\n *

Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use this file\n * except in compliance with the License. You may obtain a copy of the License at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * \u5206\u53d1\u6d88\u606f\u4f4d\u7f6e\u4fe1\u606f\u5230\u903b\u8f91\u961f\u5217\u548c\u7d22\u5f15\u670d\u52a1\n *\n * @author shijia.wxr\n * @since 2013-7-21\n */\npublic class DispatchRequest {\n private final String topic;\n private final int queueId;\n private final long commitLogOffset;\n private final int msgSize;\n private final long tagsCode;\n private final long storeTimestamp;\n private final long consumeQueueOffset;\n private final String keys;\n /** \u4e8b\u52a1\u76f8\u5173\u90e8\u5206 */\n private final int sysFlag;\n\n private final long preparedTransactionOffset;\n\n public DispatchRequest( //\n final String topic, // 1\n final int queueId, // 2\n final long commitLogOffset, // 3\n final int msgSize, // 4\n final long tagsCode, // 5\n final long storeTimestamp, // 6\n final long consumeQueueOffset, // 7\n final String keys, // 8\n /** \u4e8b\u52a1\u76f8\u5173\u90e8\u5206 */\n final int sysFlag, // 9\n final long preparedTransactionOffset // 10\n ) {\n this.topic = topic;\n this.queueId = queueId;\n this.commitLogOffset = commitLogOffset;\n this.msgSize = msgSize;\n this.tagsCode = tagsCode;\n this.storeTimestamp = storeTimestamp;\n this.consumeQueueOffset = consumeQueueOffset;\n this.keys = keys;\n\n /** \u4e8b\u52a1\u76f8\u5173\u90e8\u5206 */\n this.sysFlag = sysFlag;\n this.preparedTransactionOffset = preparedTransactionOffset;\n }\n\n public DispatchRequest(int size) {\n // 1\n this.topic = \"\";\n // 2\n this.queueId = 0;\n // 3\n this.commitLogOffset = 0;\n // 4\n this.msgSize = size;\n // 5\n this.tagsCode = 0;\n // 6\n this.storeTimestamp = 0;\n // 7\n this.consumeQueueOffset = 0;\n // 8\n this.keys = \"\";\n\n /** \u4e8b\u52a1\u76f8\u5173\u90e8\u5206 */\n this.sysFlag = 0;\n this.preparedTransactionOffset = 0;\n }\n\n public String getTopic() {\n return topic;\n }\n\n public int getQueueId() {\n return queueId;\n }\n\n public long getCommitLogOffset() {\n return commitLogOffset;\n }\n\n public int getMsgSize() {\n return msgSize;\n }\n\n public long getStoreTimestamp() {\n return storeTimestamp;\n }\n\n public long getConsumeQueueOffset() {\n return consumeQueueOffset;\n }\n\n public String getKeys() {\n return keys;\n }\n\n public long getTagsCode() {\n return tagsCode;\n }\n\n public int getSysFlag() {\n return sysFlag;\n }\n\n public long getPreparedTransactionOffset() {\n return preparedTransactionOffset;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DispatchRequest \n.super java/lang/Object \n.field private final topic Ljava/lang/String; \n.field private final queueId I \n.field private final commitLogOffset J \n.field private final msgSize I \n.field private final tagsCode J \n.field private final storeTimestamp J \n.field private final consumeQueueOffset J \n.field private final keys Ljava/lang/String; \n.field private final sysFlag I \n.field private final preparedTransactionOffset J \n\n.method public : (Ljava/lang/String;IJIJJJLjava/lang/String;IJ)V \n .code stack 3 locals 16 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field DispatchRequest topic Ljava/lang/String; \nL9: aload_0 \nL10: iload_2 \nL11: putfield Field DispatchRequest queueId I \nL14: aload_0 \nL15: lload_3 \nL16: putfield Field DispatchRequest commitLogOffset J \nL19: aload_0 \nL20: iload 5 \nL22: putfield Field DispatchRequest msgSize I \nL25: aload_0 \nL26: lload 6 \nL28: putfield Field DispatchRequest tagsCode J \nL31: aload_0 \nL32: lload 8 \nL34: putfield Field DispatchRequest storeTimestamp J \nL37: aload_0 \nL38: lload 10 \nL40: putfield Field DispatchRequest consumeQueueOffset J \nL43: aload_0 \nL44: aload 12 \nL46: putfield Field DispatchRequest keys Ljava/lang/String; \nL49: aload_0 \nL50: iload 13 \nL52: putfield Field DispatchRequest sysFlag I \nL55: aload_0 \nL56: lload 14 \nL58: putfield Field DispatchRequest preparedTransactionOffset J \nL61: return \nL62: \n .linenumbertable \n L0 54 \n L4 55 \n L9 56 \n L14 57 \n L19 58 \n L25 59 \n L31 60 \n L37 61 \n L43 62 \n L49 67 \n L55 68 \n L61 69 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: ldc '' \nL7: putfield Field DispatchRequest topic Ljava/lang/String; \nL10: aload_0 \nL11: iconst_0 \nL12: putfield Field DispatchRequest queueId I \nL15: aload_0 \nL16: lconst_0 \nL17: putfield Field DispatchRequest commitLogOffset J \nL20: aload_0 \nL21: iload_1 \nL22: putfield Field DispatchRequest msgSize I \nL25: aload_0 \nL26: lconst_0 \nL27: putfield Field DispatchRequest tagsCode J \nL30: aload_0 \nL31: lconst_0 \nL32: putfield Field DispatchRequest storeTimestamp J \nL35: aload_0 \nL36: lconst_0 \nL37: putfield Field DispatchRequest consumeQueueOffset J \nL40: aload_0 \nL41: ldc '' \nL43: putfield Field DispatchRequest keys Ljava/lang/String; \nL46: aload_0 \nL47: iconst_0 \nL48: putfield Field DispatchRequest sysFlag I \nL51: aload_0 \nL52: lconst_0 \nL53: putfield Field DispatchRequest preparedTransactionOffset J \nL56: return \nL57: \n .linenumbertable \n L0 72 \n L4 74 \n L10 76 \n L15 78 \n L20 80 \n L25 82 \n L30 84 \n L35 86 \n L40 88 \n L46 93 \n L51 94 \n L56 95 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTopic : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest topic Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 99 \n .end linenumbertable \n .end code \n.end method \n\n.method public getQueueId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest queueId I \nL4: ireturn \nL5: \n .linenumbertable \n L0 104 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCommitLogOffset : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest commitLogOffset J \nL4: lreturn \nL5: \n .linenumbertable \n L0 109 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMsgSize : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest msgSize I \nL4: ireturn \nL5: \n .linenumbertable \n L0 114 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStoreTimestamp : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest storeTimestamp J \nL4: lreturn \nL5: \n .linenumbertable \n L0 119 \n .end linenumbertable \n .end code \n.end method \n\n.method public getConsumeQueueOffset : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest consumeQueueOffset J \nL4: lreturn \nL5: \n .linenumbertable \n L0 124 \n .end linenumbertable \n .end code \n.end method \n\n.method public getKeys : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest keys Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 129 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTagsCode : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest tagsCode J \nL4: lreturn \nL5: \n .linenumbertable \n L0 134 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSysFlag : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest sysFlag I \nL4: ireturn \nL5: \n .linenumbertable \n L0 139 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPreparedTransactionOffset : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field DispatchRequest preparedTransactionOffset J \nL4: lreturn \nL5: \n .linenumbertable \n L0 144 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DispatchRequest.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 20:00:42 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DispatchRequest_ESTest extends DispatchRequest_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, (-42367), (-42367), 1, 68121L, 68121L, 61717L, (String) null, (-31478), 1);\n dispatchRequest0.getTopic();\n assertEquals(61717L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals((-42367), dispatchRequest0.getQueueId());\n assertEquals(1, dispatchRequest0.getMsgSize());\n assertEquals(68121L, dispatchRequest0.getStoreTimestamp());\n assertEquals((-31478), dispatchRequest0.getSysFlag());\n assertEquals((-42367L), dispatchRequest0.getCommitLogOffset());\n assertEquals(68121L, dispatchRequest0.getTagsCode());\n assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"M6f(vb?A.G1C5P2\", 7794, 7794, 7794, 7794, 7794, 7794, \"M6f(vb?A.G1C5P2\", (-1), (-23185L));\n dispatchRequest0.getTopic();\n assertEquals(7794L, dispatchRequest0.getCommitLogOffset());\n assertEquals(7794L, dispatchRequest0.getStoreTimestamp());\n assertEquals(7794, dispatchRequest0.getMsgSize());\n assertEquals((-1), dispatchRequest0.getSysFlag());\n assertEquals(7794, dispatchRequest0.getQueueId());\n assertEquals((-23185L), dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(7794L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals(7794L, dispatchRequest0.getTagsCode());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(0);\n long long0 = dispatchRequest0.getTagsCode();\n assertEquals(0L, dispatchRequest0.getStoreTimestamp());\n assertEquals(0L, dispatchRequest0.getCommitLogOffset());\n assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(0L, long0);\n assertEquals(0, dispatchRequest0.getSysFlag());\n assertEquals(0, dispatchRequest0.getMsgSize());\n assertEquals(0, dispatchRequest0.getQueueId());\n assertEquals(0L, dispatchRequest0.getConsumeQueueOffset());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L);\n long long0 = dispatchRequest0.getTagsCode();\n assertEquals(1, dispatchRequest0.getQueueId());\n assertEquals(1L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals(1, dispatchRequest0.getSysFlag());\n assertEquals(1L, dispatchRequest0.getStoreTimestamp());\n assertEquals((-21403L), long0);\n assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(1, dispatchRequest0.getMsgSize());\n assertEquals(1L, dispatchRequest0.getCommitLogOffset());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(0);\n int int0 = dispatchRequest0.getSysFlag();\n assertEquals(0L, dispatchRequest0.getTagsCode());\n assertEquals(0L, dispatchRequest0.getCommitLogOffset());\n assertEquals(0, dispatchRequest0.getMsgSize());\n assertEquals(0L, dispatchRequest0.getStoreTimestamp());\n assertEquals(0L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals(0, dispatchRequest0.getQueueId());\n assertEquals(0, int0);\n assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"EQ?9Z_+&j0oig mV\", 0, (-39186L), 0, (-1L), 0L, (-1L), \"Ros>+&j0oig mV\", 0, 0);\n long long0 = dispatchRequest0.getConsumeQueueOffset();\n assertEquals(0, dispatchRequest0.getMsgSize());\n assertEquals((-39186L), dispatchRequest0.getCommitLogOffset());\n assertEquals(0, dispatchRequest0.getQueueId());\n assertEquals((-1L), long0);\n assertEquals(0, dispatchRequest0.getSysFlag());\n assertEquals((-1L), dispatchRequest0.getTagsCode());\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"\", 0, 18651L, (-42871), 0L, 41201L, (-42871), (String) null, 57292, 41201L);\n long long0 = dispatchRequest0.getCommitLogOffset();\n assertEquals((-42871L), dispatchRequest0.getConsumeQueueOffset());\n assertEquals((-42871), dispatchRequest0.getMsgSize());\n assertEquals(18651L, long0);\n assertEquals(41201L, dispatchRequest0.getStoreTimestamp());\n assertEquals(41201L, dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(57292, dispatchRequest0.getSysFlag());\n assertEquals(0, dispatchRequest0.getQueueId());\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"\", 11784, (-30269L), 11784, (-51466L), 22325L, (-51466L), \"\", 11784, (-51466L));\n long long0 = dispatchRequest0.getCommitLogOffset();\n assertEquals(11784, dispatchRequest0.getMsgSize());\n assertEquals((-51466L), dispatchRequest0.getConsumeQueueOffset());\n assertEquals(22325L, dispatchRequest0.getStoreTimestamp());\n assertEquals((-30269L), long0);\n assertEquals(11784, dispatchRequest0.getSysFlag());\n assertEquals(11784, dispatchRequest0.getQueueId());\n assertEquals((-51466L), dispatchRequest0.getPreparedTransactionOffset());\n assertEquals((-51466L), dispatchRequest0.getTagsCode());\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(0);\n dispatchRequest0.getTopic();\n assertEquals(0L, dispatchRequest0.getTagsCode());\n assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(0L, dispatchRequest0.getStoreTimestamp());\n assertEquals(0L, dispatchRequest0.getCommitLogOffset());\n assertEquals(0, dispatchRequest0.getSysFlag());\n assertEquals(0, dispatchRequest0.getQueueId());\n assertEquals(0L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals(0, dispatchRequest0.getMsgSize());\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"\", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), \"\", (-88683), (-1L));\n int int0 = dispatchRequest0.getSysFlag();\n assertEquals((-88683), int0);\n assertEquals(42689L, dispatchRequest0.getTagsCode());\n assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset());\n assertEquals((-88683L), dispatchRequest0.getStoreTimestamp());\n assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset());\n assertEquals((-88683), dispatchRequest0.getMsgSize());\n assertEquals((-88683), dispatchRequest0.getQueueId());\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L);\n long long0 = dispatchRequest0.getConsumeQueueOffset();\n assertEquals(1, dispatchRequest0.getMsgSize());\n assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(1L, long0);\n assertEquals(1, dispatchRequest0.getSysFlag());\n assertEquals((-21403L), dispatchRequest0.getTagsCode());\n assertEquals(1, dispatchRequest0.getQueueId());\n assertEquals(1L, dispatchRequest0.getStoreTimestamp());\n assertEquals(1L, dispatchRequest0.getCommitLogOffset());\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L);\n int int0 = dispatchRequest0.getQueueId();\n assertEquals(1, dispatchRequest0.getSysFlag());\n assertEquals((-21403L), dispatchRequest0.getTagsCode());\n assertEquals(1, dispatchRequest0.getMsgSize());\n assertEquals(1L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals(1, int0);\n assertEquals(1L, dispatchRequest0.getStoreTimestamp());\n assertEquals(1L, dispatchRequest0.getCommitLogOffset());\n assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset());\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"\", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), \"\", (-88683), (-1L));\n long long0 = dispatchRequest0.getTagsCode();\n assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset());\n assertEquals((-88683L), dispatchRequest0.getStoreTimestamp());\n assertEquals((-88683), dispatchRequest0.getQueueId());\n assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset());\n assertEquals(42689L, long0);\n assertEquals((-88683), dispatchRequest0.getMsgSize());\n assertEquals((-88683), dispatchRequest0.getSysFlag());\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"\", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), \"\", (-88683), (-1L));\n dispatchRequest0.getKeys();\n assertEquals(42689L, dispatchRequest0.getTagsCode());\n assertEquals((-88683), dispatchRequest0.getQueueId());\n assertEquals((-88683), dispatchRequest0.getMsgSize());\n assertEquals((-88683), dispatchRequest0.getSysFlag());\n assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset());\n assertEquals((-88683L), dispatchRequest0.getStoreTimestamp());\n assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset());\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(0);\n long long0 = dispatchRequest0.getCommitLogOffset();\n assertEquals(0, dispatchRequest0.getMsgSize());\n assertEquals(0L, dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(0, dispatchRequest0.getSysFlag());\n assertEquals(0L, dispatchRequest0.getTagsCode());\n assertEquals(0L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals(0, dispatchRequest0.getQueueId());\n assertEquals(0L, long0);\n assertEquals(0L, dispatchRequest0.getStoreTimestamp());\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L);\n int int0 = dispatchRequest0.getMsgSize();\n assertEquals((-21403L), dispatchRequest0.getTagsCode());\n assertEquals(1L, dispatchRequest0.getPreparedTransactionOffset());\n assertEquals(1, int0);\n assertEquals(1L, dispatchRequest0.getCommitLogOffset());\n assertEquals(1L, dispatchRequest0.getConsumeQueueOffset());\n assertEquals(1L, dispatchRequest0.getStoreTimestamp());\n assertEquals(1, dispatchRequest0.getQueueId());\n assertEquals(1, dispatchRequest0.getSysFlag());\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest((String) null, 1, 1, 1, (-21403L), 1, 1, (String) null, 1, 1L);\n long long0 = dispatchRequest0.getPreparedTransactionOffset();\n assertEquals(1, dispatchRequest0.getSysFlag());\n assertEquals(1L, dispatchRequest0.getStoreTimestamp());\n assertEquals(1L, long0);\n assertEquals(1, dispatchRequest0.getMsgSize());\n assertEquals((-21403L), dispatchRequest0.getTagsCode());\n assertEquals(1L, dispatchRequest0.getCommitLogOffset());\n assertEquals(1, dispatchRequest0.getQueueId());\n assertEquals(1L, dispatchRequest0.getConsumeQueueOffset());\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n DispatchRequest dispatchRequest0 = new DispatchRequest(\"\", (-88683), 0L, (-88683), 42689L, (-88683), (-32569L), \"\", (-88683), (-1L));\n long long0 = dispatchRequest0.getStoreTimestamp();\n assertEquals((-88683), dispatchRequest0.getSysFlag());\n assertEquals((-32569L), dispatchRequest0.getConsumeQueueOffset());\n assertEquals((-88683), dispatchRequest0.getQueueId());\n assertEquals((-88683L), long0);\n assertEquals((-88683), dispatchRequest0.getMsgSize());\n assertEquals(42689L, dispatchRequest0.getTagsCode());\n assertEquals((-1L), dispatchRequest0.getPreparedTransactionOffset());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 20:00:42 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DispatchRequest_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DispatchRequest\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpo65j_nhp\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DispatchRequest_ESTest_scaffolding.class.getClassLoader() ,\n \"DispatchRequest\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DispatchRequest_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DispatchRequest\"\n );\n }\n}\n", "class_idx": 54} {"class_name": "PMDColor", "java_source": "/* PMDColor.java\n *\n * Copyright (C) 2015, Tom\u00e1\u0161 Pecina \n *\n * This file is part of cz.pecina.retro, retro 8-bit computer emulators.\n *\n * This application is free software: you can redistribute it and/or\n * modify it under the terms of the GNU General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This application is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * You should have received a copy of the GNU General Public License\n * along with this program. If not, see .\n */\n\nimport java.awt.Color;\nimport java.util.logging.Logger;\n\n/**\n * PMD 85 color.\n *\n * @author @AUTHOR@\n * @version @VERSION@\n */\npublic class PMDColor {\n\n // static logger\n private static final Logger log = Logger.getLogger(PMDColor.class.getName());\n\n /** Number of color modes. */\n public static int NUMBER_COLOR_MODES = 4;\n\n /** Default color mode. */\n public static int DEFAULT_COLOR_MODE = 0;\n\n /** Number of colors. */\n public static int NUMBER_COLORS = 4;\n\n /** White-on-black color modes. */\n public static PMDColor[][] WOB_COLORS = {\n {\n new PMDColor(new Color(0xffffff), false),\n new PMDColor(new Color(0x808080), false),\n new PMDColor(new Color(0xffffff), true),\n new PMDColor(new Color(0x808080), true)\n },\n {\n new PMDColor(new Color(0xffffff), false),\n new PMDColor(new Color(0xc0c0c0), false),\n new PMDColor(new Color(0x808080), false),\n new PMDColor(new Color(0x404040), false)\n }\n };\n\n /** Green-on-black color modes. */\n public static PMDColor[][] GOB_COLORS = {\n {\n new PMDColor(new Color(0x80ff80), false),\n new PMDColor(new Color(0x408040), false),\n new PMDColor(new Color(0x80ff80), true),\n new PMDColor(new Color(0x408040), true)\n },\n {\n new PMDColor(new Color(0x80ff80), false),\n new PMDColor(new Color(0x60c060), false),\n new PMDColor(new Color(0x408040), false),\n new PMDColor(new Color(0x204020), false)\n }\n };\n\n /** Default custom color mode. */\n public static PMDColor DEFAULT_COLORS[] = {\n new PMDColor(new Color(0x00ff00), false),\n new PMDColor(new Color(0xff0000), false),\n new PMDColor(new Color(0x0000ff), false),\n new PMDColor(new Color(0xff00ff), false)\n };\n\n // color\n private Color color;\n\n // blink flag\n private boolean blinkFlag;\n\n /**\n * Creates a color object,\n *\n * @param color color of the pixels\n * @param blinkFlag {@code true} if blinking\n */\n public PMDColor(final Color color, final boolean blinkFlag) {\n assert color != null;\n this.color = color;\n this.blinkFlag = blinkFlag;\n log.fine(\"New PMD color created, color: \" + color + \", blink: \" + blinkFlag);\n }\n\n /**\n * Sets the color.\n *\n * @param color the color of the pixels\n */\n public void setColor(final Color color) {\n this.color = color;\n }\n\n /**\n * Gets the color.\n *\n * @return the color of the pixels\n */\n public Color getColor() {\n return color;\n }\n\n /**\n * Sets the blinking flag.\n *\n * @param blinkFlag {@code true} if blinking\n */\n public void setBlinkFlag(final boolean blinkFlag) {\n this.blinkFlag = blinkFlag;\n }\n\n /**\n * Gets the blinking flag.\n *\n * @return {@code true} if blinking\n */\n public boolean getBlinkFlag() {\n return blinkFlag;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PMDColor \n.super java/lang/Object \n.field private static final log Ljava/util/logging/Logger; \n.field public static NUMBER_COLOR_MODES I \n.field public static DEFAULT_COLOR_MODE I \n.field public static NUMBER_COLORS I \n.field public static WOB_COLORS [[LPMDColor; \n.field public static GOB_COLORS [[LPMDColor; \n.field public static DEFAULT_COLORS [LPMDColor; \n.field private color Ljava/awt/Color; \n.field private blinkFlag Z \n.field static final synthetic $assertionsDisabled Z \n\n.method public : (Ljava/awt/Color;Z)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: getstatic Field PMDColor $assertionsDisabled Z \nL7: ifne L22 \nL10: aload_1 \nL11: ifnonnull L22 \nL14: new java/lang/AssertionError \nL17: dup \nL18: invokespecial Method java/lang/AssertionError ()V \nL21: athrow \n\n .stack full \n locals Object PMDColor Object java/awt/Color Integer \n stack \n .end stack \nL22: aload_0 \nL23: aload_1 \nL24: putfield Field PMDColor color Ljava/awt/Color; \nL27: aload_0 \nL28: iload_2 \nL29: putfield Field PMDColor blinkFlag Z \nL32: getstatic Field PMDColor log Ljava/util/logging/Logger; \nL35: new java/lang/StringBuilder \nL38: dup \nL39: invokespecial Method java/lang/StringBuilder ()V \nL42: ldc 'New PMD color created, color: ' \nL44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL47: aload_1 \nL48: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL51: ldc ', blink: ' \nL53: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL56: iload_2 \nL57: invokevirtual Method java/lang/StringBuilder append (Z)Ljava/lang/StringBuilder; \nL60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL63: invokevirtual Method java/util/logging/Logger fine (Ljava/lang/String;)V \nL66: return \nL67: \n .linenumbertable \n L0 106 \n L4 107 \n L22 108 \n L27 109 \n L32 110 \n L66 112 \n .end linenumbertable \n .end code \n.end method \n\n.method public setColor : (Ljava/awt/Color;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PMDColor color Ljava/awt/Color; \nL5: return \nL6: \n .linenumbertable \n L0 120 \n L5 121 \n .end linenumbertable \n .end code \n.end method \n\n.method public getColor : ()Ljava/awt/Color; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PMDColor color Ljava/awt/Color; \nL4: areturn \nL5: \n .linenumbertable \n L0 129 \n .end linenumbertable \n .end code \n.end method \n\n.method public setBlinkFlag : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field PMDColor blinkFlag Z \nL5: return \nL6: \n .linenumbertable \n L0 138 \n L5 139 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBlinkFlag : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PMDColor blinkFlag Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 147 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 11 locals 0 \nL0: ldc Class PMDColor \nL2: invokevirtual Method java/lang/Class desiredAssertionStatus ()Z \nL5: ifne L12 \nL8: iconst_1 \nL9: goto L13 \n\n .stack same \nL12: iconst_0 \n\n .stack stack_1 Integer \nL13: putstatic Field PMDColor $assertionsDisabled Z \nL16: ldc Class PMDColor \nL18: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; \nL21: invokestatic Method java/util/logging/Logger getLogger (Ljava/lang/String;)Ljava/util/logging/Logger; \nL24: putstatic Field PMDColor log Ljava/util/logging/Logger; \nL27: iconst_4 \nL28: putstatic Field PMDColor NUMBER_COLOR_MODES I \nL31: iconst_0 \nL32: putstatic Field PMDColor DEFAULT_COLOR_MODE I \nL35: iconst_4 \nL36: putstatic Field PMDColor NUMBER_COLORS I \nL39: iconst_2 \nL40: anewarray [LPMDColor; \nL43: dup \nL44: iconst_0 \nL45: iconst_4 \nL46: anewarray PMDColor \nL49: dup \nL50: iconst_0 \nL51: new PMDColor \nL54: dup \nL55: new java/awt/Color \nL58: dup \nL59: ldc 16777215 \nL61: invokespecial Method java/awt/Color (I)V \nL64: iconst_0 \nL65: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL68: aastore \nL69: dup \nL70: iconst_1 \nL71: new PMDColor \nL74: dup \nL75: new java/awt/Color \nL78: dup \nL79: ldc 8421504 \nL81: invokespecial Method java/awt/Color (I)V \nL84: iconst_0 \nL85: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL88: aastore \nL89: dup \nL90: iconst_2 \nL91: new PMDColor \nL94: dup \nL95: new java/awt/Color \nL98: dup \nL99: ldc 16777215 \nL101: invokespecial Method java/awt/Color (I)V \nL104: iconst_1 \nL105: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL108: aastore \nL109: dup \nL110: iconst_3 \nL111: new PMDColor \nL114: dup \nL115: new java/awt/Color \nL118: dup \nL119: ldc 8421504 \nL121: invokespecial Method java/awt/Color (I)V \nL124: iconst_1 \nL125: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL128: aastore \nL129: aastore \nL130: dup \nL131: iconst_1 \nL132: iconst_4 \nL133: anewarray PMDColor \nL136: dup \nL137: iconst_0 \nL138: new PMDColor \nL141: dup \nL142: new java/awt/Color \nL145: dup \nL146: ldc 16777215 \nL148: invokespecial Method java/awt/Color (I)V \nL151: iconst_0 \nL152: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL155: aastore \nL156: dup \nL157: iconst_1 \nL158: new PMDColor \nL161: dup \nL162: new java/awt/Color \nL165: dup \nL166: ldc 12632256 \nL168: invokespecial Method java/awt/Color (I)V \nL171: iconst_0 \nL172: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL175: aastore \nL176: dup \nL177: iconst_2 \nL178: new PMDColor \nL181: dup \nL182: new java/awt/Color \nL185: dup \nL186: ldc 8421504 \nL188: invokespecial Method java/awt/Color (I)V \nL191: iconst_0 \nL192: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL195: aastore \nL196: dup \nL197: iconst_3 \nL198: new PMDColor \nL201: dup \nL202: new java/awt/Color \nL205: dup \nL206: ldc 4210752 \nL208: invokespecial Method java/awt/Color (I)V \nL211: iconst_0 \nL212: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL215: aastore \nL216: aastore \nL217: putstatic Field PMDColor WOB_COLORS [[LPMDColor; \nL220: iconst_2 \nL221: anewarray [LPMDColor; \nL224: dup \nL225: iconst_0 \nL226: iconst_4 \nL227: anewarray PMDColor \nL230: dup \nL231: iconst_0 \nL232: new PMDColor \nL235: dup \nL236: new java/awt/Color \nL239: dup \nL240: ldc 8454016 \nL242: invokespecial Method java/awt/Color (I)V \nL245: iconst_0 \nL246: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL249: aastore \nL250: dup \nL251: iconst_1 \nL252: new PMDColor \nL255: dup \nL256: new java/awt/Color \nL259: dup \nL260: ldc 4227136 \nL262: invokespecial Method java/awt/Color (I)V \nL265: iconst_0 \nL266: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL269: aastore \nL270: dup \nL271: iconst_2 \nL272: new PMDColor \nL275: dup \nL276: new java/awt/Color \nL279: dup \nL280: ldc 8454016 \nL282: invokespecial Method java/awt/Color (I)V \nL285: iconst_1 \nL286: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL289: aastore \nL290: dup \nL291: iconst_3 \nL292: new PMDColor \nL295: dup \nL296: new java/awt/Color \nL299: dup \nL300: ldc 4227136 \nL302: invokespecial Method java/awt/Color (I)V \nL305: iconst_1 \nL306: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL309: aastore \nL310: aastore \nL311: dup \nL312: iconst_1 \nL313: iconst_4 \nL314: anewarray PMDColor \nL317: dup \nL318: iconst_0 \nL319: new PMDColor \nL322: dup \nL323: new java/awt/Color \nL326: dup \nL327: ldc 8454016 \nL329: invokespecial Method java/awt/Color (I)V \nL332: iconst_0 \nL333: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL336: aastore \nL337: dup \nL338: iconst_1 \nL339: new PMDColor \nL342: dup \nL343: new java/awt/Color \nL346: dup \nL347: ldc 6340704 \nL349: invokespecial Method java/awt/Color (I)V \nL352: iconst_0 \nL353: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL356: aastore \nL357: dup \nL358: iconst_2 \nL359: new PMDColor \nL362: dup \nL363: new java/awt/Color \nL366: dup \nL367: ldc 4227136 \nL369: invokespecial Method java/awt/Color (I)V \nL372: iconst_0 \nL373: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL376: aastore \nL377: dup \nL378: iconst_3 \nL379: new PMDColor \nL382: dup \nL383: new java/awt/Color \nL386: dup \nL387: ldc 2113568 \nL389: invokespecial Method java/awt/Color (I)V \nL392: iconst_0 \nL393: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL396: aastore \nL397: aastore \nL398: putstatic Field PMDColor GOB_COLORS [[LPMDColor; \nL401: iconst_4 \nL402: anewarray PMDColor \nL405: dup \nL406: iconst_0 \nL407: new PMDColor \nL410: dup \nL411: new java/awt/Color \nL414: dup \nL415: ldc 65280 \nL417: invokespecial Method java/awt/Color (I)V \nL420: iconst_0 \nL421: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL424: aastore \nL425: dup \nL426: iconst_1 \nL427: new PMDColor \nL430: dup \nL431: new java/awt/Color \nL434: dup \nL435: ldc 16711680 \nL437: invokespecial Method java/awt/Color (I)V \nL440: iconst_0 \nL441: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL444: aastore \nL445: dup \nL446: iconst_2 \nL447: new PMDColor \nL450: dup \nL451: new java/awt/Color \nL454: dup \nL455: sipush 255 \nL458: invokespecial Method java/awt/Color (I)V \nL461: iconst_0 \nL462: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL465: aastore \nL466: dup \nL467: iconst_3 \nL468: new PMDColor \nL471: dup \nL472: new java/awt/Color \nL475: dup \nL476: ldc 16711935 \nL478: invokespecial Method java/awt/Color (I)V \nL481: iconst_0 \nL482: invokespecial Method PMDColor (Ljava/awt/Color;Z)V \nL485: aastore \nL486: putstatic Field PMDColor DEFAULT_COLORS [LPMDColor; \nL489: return \nL490: \n .linenumbertable \n L0 33 \n L16 36 \n L18 37 \n L27 43 \n L31 48 \n L35 53 \n L39 58 \n L220 73 \n L401 88 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PMDColor.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:44:17 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.awt.Color;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PMDColor_ESTest extends PMDColor_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Color color0 = Color.gray;\n PMDColor pMDColor0 = new PMDColor(color0, false);\n pMDColor0.setColor((Color) null);\n pMDColor0.getColor();\n assertFalse(pMDColor0.getBlinkFlag());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Color color0 = new Color(2027, true);\n PMDColor pMDColor0 = new PMDColor(color0, true);\n pMDColor0.getColor();\n assertTrue(pMDColor0.getBlinkFlag());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Color color0 = Color.gray;\n PMDColor pMDColor0 = new PMDColor(color0, false);\n pMDColor0.getColor();\n assertFalse(pMDColor0.getBlinkFlag());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Color color0 = new Color(0, 0, 0, 0);\n PMDColor pMDColor0 = new PMDColor(color0, false);\n pMDColor0.getColor();\n assertFalse(pMDColor0.getBlinkFlag());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Color color0 = Color.YELLOW;\n PMDColor pMDColor0 = new PMDColor(color0, true);\n boolean boolean0 = pMDColor0.getBlinkFlag();\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n PMDColor pMDColor0 = null;\n try {\n pMDColor0 = new PMDColor((Color) null, true);\n fail(\"Expecting exception: AssertionError\");\n \n } catch(AssertionError e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Color color0 = Color.orange;\n PMDColor pMDColor0 = new PMDColor(color0, false);\n boolean boolean0 = pMDColor0.getBlinkFlag();\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Color color0 = Color.orange;\n PMDColor pMDColor0 = new PMDColor(color0, false);\n pMDColor0.setBlinkFlag(false);\n assertFalse(pMDColor0.getBlinkFlag());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:44:17 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PMDColor_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PMDColor\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyecwkge4\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PMDColor_ESTest_scaffolding.class.getClassLoader() ,\n \"PMDColor\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PMDColor_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PMDColor\"\n );\n }\n}\n", "class_idx": 55} {"class_name": "ServiceIDs", "java_source": "/**\n * Licensed to the Apache Software Foundation (ASF) under one or more contributor license\n * agreements. See the NOTICE file distributed with this work for additional information regarding\n * copyright ownership. The ASF licenses this file to You under the Apache License, Version 2.0 (the\n * \"License\"); you may not use this file except in compliance with the License. You may obtain a\n * copy of the License at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/** */\npublic final class ServiceIDs {\n\n public static final String KUBERNETES_SERVICE_ID = \"kubernetes\";\n public static final String KUBERNETES_RO_SERVICE_ID = \"kubernetes-ro\";\n public static final String FABRIC8_CONSOLE_SERVICE_ID = \"fabric8-console-service\";\n\n private ServiceIDs() {\n // no public ctr\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super ServiceIDs \n.super java/lang/Object \n.field public static final KUBERNETES_SERVICE_ID Ljava/lang/String; = 'kubernetes' \n.field public static final KUBERNETES_RO_SERVICE_ID Ljava/lang/String; = 'kubernetes-ro' \n.field public static final FABRIC8_CONSOLE_SERVICE_ID Ljava/lang/String; = 'fabric8-console-service' \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 28 \n L4 30 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ServiceIDs.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 20:25:13 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ServiceIDs_ESTest extends ServiceIDs_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 20:25:13 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ServiceIDs_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ServiceIDs\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ServiceIDs_ESTest_scaffolding.class.getClassLoader() ,\n \"ServiceIDs\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ServiceIDs_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ServiceIDs\"\n );\n }\n}\n", "class_idx": 56} {"class_name": "Hand", "java_source": "public class Hand {\n private int handvalue;\n\n public Hand(int handvalue) {\n // TODO Auto-generated constructor stub\n this.handvalue = handvalue;\n }\n\n public static final int HANDVALUE_GUU = 0;\n public static final int HANDVALUE_CHO = 1;\n public static final int HANDVALUE_PAA = 2;\n public static final Hand[] hand = {\n new Hand(HANDVALUE_GUU), new Hand(HANDVALUE_CHO), new Hand(HANDVALUE_PAA),\n };\n public static final String[] name = {\n \"\uac00\uc704\", \"\ubc14\uc704\", \"\ubcf4\",\n };\n\n public boolean isStrongerThan(Hand hand) {\n return fight(hand) == 1;\n }\n\n public boolean isWeakerThan(Hand hand) {\n return fight(hand) == -1;\n }\n\n public int fight(Hand hand) {\n if (this == hand) return 0;\n else if ((this.handvalue + 1) % 3 == hand.getHandvalue()) return 1;\n else return 1;\n }\n /**\n * @return the handvalue\n */\n public int getHandvalue() {\n return handvalue;\n }\n\n public static Hand getHand(int handvalue) {\n return hand[handvalue];\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Hand \n.super java/lang/Object \n.field private handvalue I \n.field public static final HANDVALUE_GUU I = 0 \n.field public static final HANDVALUE_CHO I = 1 \n.field public static final HANDVALUE_PAA I = 2 \n.field public static final hand [LHand; \n.field public static final name [Ljava/lang/String; \n\n.method public : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field Hand handvalue I \nL9: return \nL10: \n .linenumbertable \n L0 5 \n L4 7 \n L9 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public isStrongerThan : (LHand;)Z \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method Hand fight (LHand;)I \nL5: iconst_1 \nL6: if_icmpne L13 \nL9: iconst_1 \nL10: goto L14 \n\n .stack same \nL13: iconst_0 \n\n .stack stack_1 Integer \nL14: ireturn \nL15: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public isWeakerThan : (LHand;)Z \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method Hand fight (LHand;)I \nL5: iconst_m1 \nL6: if_icmpne L13 \nL9: iconst_1 \nL10: goto L14 \n\n .stack same \nL13: iconst_0 \n\n .stack stack_1 Integer \nL14: ireturn \nL15: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public fight : (LHand;)I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_0 \nL6: ireturn \n\n .stack same \nL7: aload_0 \nL8: getfield Field Hand handvalue I \nL11: iconst_1 \nL12: iadd \nL13: iconst_3 \nL14: irem \nL15: aload_1 \nL16: invokevirtual Method Hand getHandvalue ()I \nL19: if_icmpne L24 \nL22: iconst_1 \nL23: ireturn \n\n .stack same \nL24: iconst_1 \nL25: ireturn \nL26: \n .linenumbertable \n L0 27 \n L7 28 \n L24 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public getHandvalue : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Hand handvalue I \nL4: ireturn \nL5: \n .linenumbertable \n L0 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getHand : (I)LHand; \n .code stack 2 locals 1 \nL0: getstatic Field Hand hand [LHand; \nL3: iload_0 \nL4: aaload \nL5: areturn \nL6: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 6 locals 0 \nL0: iconst_3 \nL1: anewarray Hand \nL4: dup \nL5: iconst_0 \nL6: new Hand \nL9: dup \nL10: iconst_0 \nL11: invokespecial Method Hand (I)V \nL14: aastore \nL15: dup \nL16: iconst_1 \nL17: new Hand \nL20: dup \nL21: iconst_1 \nL22: invokespecial Method Hand (I)V \nL25: aastore \nL26: dup \nL27: iconst_2 \nL28: new Hand \nL31: dup \nL32: iconst_2 \nL33: invokespecial Method Hand (I)V \nL36: aastore \nL37: putstatic Field Hand hand [LHand; \nL40: iconst_3 \nL41: anewarray java/lang/String \nL44: dup \nL45: iconst_0 \nL46: ldc '\uac00\uc704' \nL48: aastore \nL49: dup \nL50: iconst_1 \nL51: ldc '\ubc14\uc704' \nL53: aastore \nL54: dup \nL55: iconst_2 \nL56: ldc '\ubcf4' \nL58: aastore \nL59: putstatic Field Hand name [Ljava/lang/String; \nL62: return \nL63: \n .linenumbertable \n L0 12 \n L40 17 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Hand.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 06:09:04 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Hand_ESTest extends Hand_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Hand hand0 = Hand.getHand(0);\n Hand hand1 = Hand.getHand(2);\n int int0 = hand0.fight(hand1);\n assertEquals(1, int0);\n assertEquals(2, hand1.getHandvalue());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Hand hand0 = new Hand(2);\n int int0 = hand0.getHandvalue();\n assertEquals(2, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Hand hand0 = new Hand((-1));\n int int0 = hand0.getHandvalue();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Hand hand0 = new Hand(0);\n Hand hand1 = new Hand(1);\n int int0 = hand0.fight(hand1);\n assertEquals(1, hand1.getHandvalue());\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Hand hand0 = new Hand(0);\n Hand hand1 = Hand.getHand(0);\n int int0 = hand0.fight(hand1);\n assertEquals(0, hand0.getHandvalue());\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Hand hand0 = new Hand(0);\n Hand hand1 = Hand.getHand(1);\n boolean boolean0 = hand0.isStrongerThan(hand1);\n assertEquals(1, hand1.getHandvalue());\n assertEquals(0, hand0.getHandvalue());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Hand hand0 = new Hand(0);\n boolean boolean0 = hand0.isWeakerThan(hand0);\n assertFalse(boolean0);\n assertEquals(0, hand0.getHandvalue());\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Hand hand0 = new Hand(0);\n boolean boolean0 = hand0.isStrongerThan(hand0);\n assertFalse(boolean0);\n assertEquals(0, hand0.getHandvalue());\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n Hand hand0 = Hand.getHand(0);\n int int0 = hand0.fight(hand0);\n int int1 = hand0.getHandvalue();\n assertTrue(int1 == int0);\n \n Hand hand1 = Hand.getHand(2);\n boolean boolean0 = hand1.isWeakerThan(hand0);\n assertFalse(boolean0);\n \n int int2 = hand0.fight(hand1);\n assertEquals(1, int2);\n assertEquals(2, hand1.getHandvalue());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 06:09:04 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Hand_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Hand\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpq2_82j9e\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Hand_ESTest_scaffolding.class.getClassLoader() ,\n \"Hand\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Hand_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Hand\"\n );\n }\n}\n", "class_idx": 57} {"class_name": "Pager", "java_source": "/**\n * \u5206\u9875\u5b9e\u4f53\u7c7b\n *\n * @author RyougiChan\n */\npublic class Pager {\n /** \u5f53\u524d\u9875\u9762 */\n private int curPage;\n /** \u6bcf\u9875\u8bb0\u5f55\u6570 */\n private int perPageRows;\n /** \u8bb0\u5f55\u603b\u6570\u76ee */\n private int rowCount;\n /** \u603b\u9875\u6570 */\n private int totalPage;\n\n public int getTotalPage() {\n return (rowCount + perPageRows - 1) / perPageRows;\n }\n\n public void setTotalPage(int totalPage) {\n this.totalPage = totalPage;\n }\n\n public int getCurPage() {\n return curPage;\n }\n\n public void setCurPage(int curPage) {\n this.curPage = curPage;\n }\n\n public int getPerPageRows() {\n return perPageRows;\n }\n\n public void setPerPageRows(int perPageRows) {\n this.perPageRows = perPageRows;\n }\n\n public int getRowCount() {\n return rowCount;\n }\n\n public void setRowCount(int rowCount) {\n this.rowCount = rowCount;\n }\n\n @Override\n public String toString() {\n return \"Pager [curPage=\"\n + curPage\n + \", perPageRows=\"\n + perPageRows\n + \", rowCount=\"\n + rowCount\n + \", totalPage=\"\n + totalPage\n + \"]\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Pager \n.super java/lang/Object \n.field private curPage I \n.field private perPageRows I \n.field private rowCount I \n.field private totalPage I \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTotalPage : ()I \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field Pager rowCount I \nL4: aload_0 \nL5: getfield Field Pager perPageRows I \nL8: iadd \nL9: iconst_1 \nL10: isub \nL11: aload_0 \nL12: getfield Field Pager perPageRows I \nL15: idiv \nL16: ireturn \nL17: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTotalPage : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Pager totalPage I \nL5: return \nL6: \n .linenumbertable \n L0 21 \n L5 22 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCurPage : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Pager curPage I \nL4: ireturn \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCurPage : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Pager curPage I \nL5: return \nL6: \n .linenumbertable \n L0 27 \n L5 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPerPageRows : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Pager perPageRows I \nL4: ireturn \nL5: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPerPageRows : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Pager perPageRows I \nL5: return \nL6: \n .linenumbertable \n L0 33 \n L5 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRowCount : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Pager rowCount I \nL4: ireturn \nL5: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public setRowCount : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Pager rowCount I \nL5: return \nL6: \n .linenumbertable \n L0 39 \n L5 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'Pager [curPage=' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field Pager curPage I \nL16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL19: ldc ', perPageRows=' \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL24: aload_0 \nL25: getfield Field Pager perPageRows I \nL28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL31: ldc ', rowCount=' \nL33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL36: aload_0 \nL37: getfield Field Pager rowCount I \nL40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL43: ldc ', totalPage=' \nL45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL48: aload_0 \nL49: getfield Field Pager totalPage I \nL52: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL55: ldc ']' \nL57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL63: areturn \nL64: \n .linenumbertable \n L0 43 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Pager.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 09:42:31 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Pager_ESTest extends Pager_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setPerPageRows(6072);\n int int0 = pager0.getTotalPage();\n assertEquals(6072, pager0.getPerPageRows());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setPerPageRows((-38389));\n int int0 = pager0.getTotalPage();\n assertEquals((-38389), pager0.getPerPageRows());\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setRowCount((-68889));\n pager0.setPerPageRows(1);\n int int0 = pager0.getTotalPage();\n assertEquals((-68889), pager0.getRowCount());\n assertEquals((-68889), int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setRowCount(32202);\n int int0 = pager0.getRowCount();\n assertEquals(32202, int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setRowCount((-68889));\n int int0 = pager0.getRowCount();\n assertEquals((-68889), int0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setPerPageRows(60718);\n int int0 = pager0.getPerPageRows();\n assertEquals(60718, int0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setCurPage(1);\n int int0 = pager0.getCurPage();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setPerPageRows((-1));\n int int0 = pager0.getPerPageRows();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setTotalPage(32202);\n assertEquals(0, pager0.getCurPage());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Pager pager0 = new Pager();\n String string0 = pager0.toString();\n assertEquals(\"Pager [curPage=0, perPageRows=0, rowCount=0, totalPage=0]\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Pager pager0 = new Pager();\n int int0 = pager0.getPerPageRows();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Pager pager0 = new Pager();\n pager0.setCurPage((-73181));\n int int0 = pager0.getCurPage();\n assertEquals((-73181), int0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Pager pager0 = new Pager();\n int int0 = pager0.getRowCount();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Pager pager0 = new Pager();\n int int0 = pager0.getCurPage();\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 09:42:31 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Pager_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Pager\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkv8cc3xr\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Pager_ESTest_scaffolding.class.getClassLoader() ,\n \"Pager\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Pager_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Pager\"\n );\n }\n}\n", "class_idx": 58} {"class_name": "IntsUtils", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one\n * or more contributor license agreements. See the NOTICE file\n * distributed with this work for additional information\n * regarding copyright ownership. The ASF licenses this file\n * to you under the Apache License, Version 2.0 (the\n * \"License\"); you may not use this file except in compliance\n * with the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing,\n * software distributed under the License is distributed on an\n * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n * KIND, either express or implied. See the License for the\n * specific language governing permissions and limitations\n * under the License.\n */\n\n/**\n * int\u5de5\u5177\u7c7b\n *\n *

View Source\n *\n * @author zhaoxunyong@qq.com\n * @version 1.0\n * @since 1.0\n */\npublic final class IntsUtils {\n private IntsUtils() {}\n\n /**\n * Integer\u8f6c\u6362\u4e3aint\uff0c\u907f\u514d\u51fa\u73b0\u7a7a\u6307\u9488\u7684\u9519\u8bef\n *\n * @param value Integer\u503c\n * @return int\u503c\n */\n public static int integer2int(Integer value) {\n return value == null ? 0 : value.intValue();\n }\n\n /**\n * int\u8f6c\u5b57\u7b26\u4e32\uff0c\u5f53value==null\u8f6c\u6362\u4e3a\u7a7a\u5b57\u7b26\u4e32\n *\n * @param value integer\u6570\u503c\n * @return \u5b57\u7b26\u4e32\n */\n public static String int2String(Integer value) {\n if (value == null) {\n return \"\";\n }\n return String.valueOf(value);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super IntsUtils \n.super java/lang/Object \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 33 \n L4 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public static integer2int : (Ljava/lang/Integer;)I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: ifnonnull L8 \nL4: iconst_0 \nL5: goto L12 \n\n .stack same \nL8: aload_0 \nL9: invokevirtual Method java/lang/Integer intValue ()I \n\n .stack stack_1 Integer \nL12: ireturn \nL13: \n .linenumbertable \n L0 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public static int2String : (Ljava/lang/Integer;)Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: ifnonnull L7 \nL4: ldc '' \nL6: areturn \n\n .stack same \nL7: aload_0 \nL8: invokestatic Method java/lang/String valueOf (Ljava/lang/Object;)Ljava/lang/String; \nL11: areturn \nL12: \n .linenumbertable \n L0 53 \n L4 54 \n L7 56 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'IntsUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 12:02:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class IntsUtils_ESTest extends IntsUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Integer integer0 = new Integer((-52491));\n int int0 = IntsUtils.integer2int(integer0);\n assertEquals((-52491), int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String string0 = IntsUtils.int2String((Integer) null);\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Integer integer0 = new Integer(81776);\n String string0 = IntsUtils.int2String(integer0);\n assertEquals(\"81776\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n int int0 = IntsUtils.integer2int((Integer) null);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Integer integer0 = new Integer(81776);\n int int0 = IntsUtils.integer2int(integer0);\n assertEquals(81776, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 12:02:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class IntsUtils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"IntsUtils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfxj9n5ka\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IntsUtils_ESTest_scaffolding.class.getClassLoader() ,\n \"IntsUtils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IntsUtils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"IntsUtils\"\n );\n }\n}\n", "class_idx": 59} {"class_name": "ByteArrayUtils", "java_source": "/*\n Copyright 2006, 2007, 2008 Markus Goetz, Sebastian Breier\n Webpage on http://p300.eu/\n*/\n/*\n This file is part of p300.\n\n\n p300 is free software: you can redistribute it and/or modify\n it under the terms of the GNU General Public License as published by\n the Free Software Foundation, either version 3 of the License, or\n (at your option) any later version.\n\n p300 is distributed in the hope that it will be useful,\n but WITHOUT ANY WARRANTY; without even the implied warranty of\n MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n GNU General Public License for more details.\n\n You should have received a copy of the GNU General Public License\n along with p300. If not, see .\n*/\n/*\n This file is part of p300.\n\n\n p300 is free software: you can redistribute it and/or modify\n it under the terms of the GNU General Public License as published by\n the Free Software Foundation, either version 3 of the License, or\n (at your option) any later version.\n\n p300 is distributed in the hope that it will be useful,\n but WITHOUT ANY WARRANTY; without even the implied warranty of\n MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n GNU General Public License for more details.\n\n You should have received a copy of the GNU General Public License\n along with p300. If not, see .\n*/\n/*\n This file is part of p300.\n\n\n p300 is free software: you can redistribute it and/or modify\n it under the terms of the GNU General Public License as published by\n the Free Software Foundation, either version 3 of the License, or\n (at your option) any later version.\n\n p300 is distributed in the hope that it will be useful,\n but WITHOUT ANY WARRANTY; without even the implied warranty of\n MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n GNU General Public License for more details.\n\n You should have received a copy of the GNU General Public License\n along with p300. If not, see .\n*/\n\n/**\n * Utilities for working on byte arrays Generally, these utilities won't change the original given\n * arrays.\n *\n * @author tomcat\n */\npublic class ByteArrayUtils {\n\n /**\n * Cut the arrays from position pos. Won't change the original array.\n *\n * @param b\n * @param pos\n * @return Copy of the array, only between pos and end\n */\n public static byte[] cutAt(byte[] b, int pos) {\n if (b == null || pos <= 0) {\n return b;\n }\n if (pos >= b.length) {\n return new byte[0];\n }\n byte[] rest = new byte[b.length - pos];\n for (int i = 0; i < b.length - pos; i++) {\n rest[i] = b[i + pos];\n }\n\n return rest;\n }\n\n /**\n * Add two arrays. Won't change the original array.\n *\n * @param b\n * @param b2\n * @return A new array containing both arrays\n */\n public static byte[] append(byte[] b, byte[] b2) {\n int bLength = 0;\n int b2Length = 0;\n if (b != null) {\n bLength = b.length;\n }\n if (b2 != null) {\n b2Length = b2.length;\n }\n\n byte[] result = new byte[bLength + b2Length];\n for (int i = 0; i < bLength; i++) {\n result[i] = b[i];\n }\n for (int i = bLength; i < bLength + b2Length; i++) {\n result[i] = b2[i - bLength];\n }\n\n return result;\n }\n\n /**\n * Copy first \"count\" bytes from byte array. Won't change the original array.\n *\n * @param b\n * @param count\n * @return Copy of the first \"count\" bytes\n */\n public static byte[] copy(byte[] b, int count) {\n int copy = 0;\n if (b != null) {\n copy = Math.min(b.length, count);\n }\n byte[] result = new byte[copy];\n for (int i = 0; i < copy; i++) {\n result[i] = b[i];\n }\n\n return result;\n }\n\n /**\n * Find the first occurrence of sub in b Work in progress\n *\n * @param b\n * @param sub\n * @return Position of the first match or -1 if not found\n */\n public static int indexOf(byte[] b, byte[] sub) {\n if (b == null || sub == null) {\n return -1;\n }\n\n for (int i = 0; i < b.length - sub.length + 1; i++) {\n boolean matches = true;\n for (int j = 0; j < sub.length; j++) {\n if (b[i + j] != sub[j]) {\n matches = false;\n }\n }\n if (matches) {\n return i;\n }\n }\n\n return -1;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ByteArrayUtils \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public static cutAt : ([BI)[B \n .code stack 5 locals 4 \nL0: aload_0 \nL1: ifnull L8 \nL4: iload_1 \nL5: ifgt L10 \n\n .stack same \nL8: aload_0 \nL9: areturn \n\n .stack same \nL10: iload_1 \nL11: aload_0 \nL12: arraylength \nL13: if_icmplt L20 \nL16: iconst_0 \nL17: newarray byte \nL19: areturn \n\n .stack same \nL20: aload_0 \nL21: arraylength \nL22: iload_1 \nL23: isub \nL24: newarray byte \nL26: astore_2 \nL27: iconst_0 \nL28: istore_3 \n\n .stack append Object [B Integer \nL29: iload_3 \nL30: aload_0 \nL31: arraylength \nL32: iload_1 \nL33: isub \nL34: if_icmpge L51 \nL37: aload_2 \nL38: iload_3 \nL39: aload_0 \nL40: iload_3 \nL41: iload_1 \nL42: iadd \nL43: baload \nL44: bastore \nL45: iinc 3 1 \nL48: goto L29 \n\n .stack chop 1 \nL51: aload_2 \nL52: areturn \nL53: \n .linenumbertable \n L0 74 \n L8 75 \n L10 77 \n L16 78 \n L20 80 \n L27 81 \n L37 82 \n L45 81 \n L51 85 \n .end linenumbertable \n .end code \n.end method \n\n.method public static append : ([B[B)[B \n .code stack 5 locals 6 \nL0: iconst_0 \nL1: istore_2 \nL2: iconst_0 \nL3: istore_3 \nL4: aload_0 \nL5: ifnull L11 \nL8: aload_0 \nL9: arraylength \nL10: istore_2 \n\n .stack append Integer Integer \nL11: aload_1 \nL12: ifnull L18 \nL15: aload_1 \nL16: arraylength \nL17: istore_3 \n\n .stack same \nL18: iload_2 \nL19: iload_3 \nL20: iadd \nL21: newarray byte \nL23: astore 4 \nL25: iconst_0 \nL26: istore 5 \n\n .stack append Object [B Integer \nL28: iload 5 \nL30: iload_2 \nL31: if_icmpge L49 \nL34: aload 4 \nL36: iload 5 \nL38: aload_0 \nL39: iload 5 \nL41: baload \nL42: bastore \nL43: iinc 5 1 \nL46: goto L28 \n\n .stack chop 1 \nL49: iload_2 \nL50: istore 5 \n\n .stack append Integer \nL52: iload 5 \nL54: iload_2 \nL55: iload_3 \nL56: iadd \nL57: if_icmpge L77 \nL60: aload 4 \nL62: iload 5 \nL64: aload_1 \nL65: iload 5 \nL67: iload_2 \nL68: isub \nL69: baload \nL70: bastore \nL71: iinc 5 1 \nL74: goto L52 \n\n .stack chop 1 \nL77: aload 4 \nL79: areturn \nL80: \n .linenumbertable \n L0 96 \n L2 97 \n L4 98 \n L8 99 \n L11 101 \n L15 102 \n L18 105 \n L25 106 \n L34 107 \n L43 106 \n L49 109 \n L60 110 \n L71 109 \n L77 113 \n .end linenumbertable \n .end code \n.end method \n\n.method public static copy : ([BI)[B \n .code stack 4 locals 5 \nL0: iconst_0 \nL1: istore_2 \nL2: aload_0 \nL3: ifnull L13 \nL6: aload_0 \nL7: arraylength \nL8: iload_1 \nL9: invokestatic Method java/lang/Math min (II)I \nL12: istore_2 \n\n .stack append Integer \nL13: iload_2 \nL14: newarray byte \nL16: astore_3 \nL17: iconst_0 \nL18: istore 4 \n\n .stack append Object [B Integer \nL20: iload 4 \nL22: iload_2 \nL23: if_icmpge L40 \nL26: aload_3 \nL27: iload 4 \nL29: aload_0 \nL30: iload 4 \nL32: baload \nL33: bastore \nL34: iinc 4 1 \nL37: goto L20 \n\n .stack chop 1 \nL40: aload_3 \nL41: areturn \nL42: \n .linenumbertable \n L0 124 \n L2 125 \n L6 126 \n L13 128 \n L17 129 \n L26 130 \n L34 129 \n L40 133 \n .end linenumbertable \n .end code \n.end method \n\n.method public static indexOf : ([B[B)I \n .code stack 3 locals 5 \nL0: aload_0 \nL1: ifnull L8 \nL4: aload_1 \nL5: ifnonnull L10 \n\n .stack same \nL8: iconst_m1 \nL9: ireturn \n\n .stack same \nL10: iconst_0 \nL11: istore_2 \n\n .stack append Integer \nL12: iload_2 \nL13: aload_0 \nL14: arraylength \nL15: aload_1 \nL16: arraylength \nL17: isub \nL18: iconst_1 \nL19: iadd \nL20: if_icmpge L68 \nL23: iconst_1 \nL24: istore_3 \nL25: iconst_0 \nL26: istore 4 \n\n .stack append Integer Integer \nL28: iload 4 \nL30: aload_1 \nL31: arraylength \nL32: if_icmpge L56 \nL35: aload_0 \nL36: iload_2 \nL37: iload 4 \nL39: iadd \nL40: baload \nL41: aload_1 \nL42: iload 4 \nL44: baload \nL45: if_icmpeq L50 \nL48: iconst_0 \nL49: istore_3 \n\n .stack same \nL50: iinc 4 1 \nL53: goto L28 \n\n .stack chop 1 \nL56: iload_3 \nL57: ifeq L62 \nL60: iload_2 \nL61: ireturn \n\n .stack chop 1 \nL62: iinc 2 1 \nL65: goto L12 \n\n .stack chop 1 \nL68: iconst_m1 \nL69: ireturn \nL70: \n .linenumbertable \n L0 144 \n L8 145 \n L10 148 \n L23 149 \n L25 150 \n L35 151 \n L48 152 \n L50 150 \n L56 155 \n L60 156 \n L62 148 \n L68 160 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ByteArrayUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 00:34:10 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ByteArrayUtils_ESTest extends ByteArrayUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n byte[] byteArray0 = new byte[3];\n int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0);\n assertEquals(0, int0);\n \n byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1);\n byte[] byteArray2 = ByteArrayUtils.copy(byteArray1, 0);\n assertEquals(2, byteArray1.length);\n assertEquals(0, byteArray2.length);\n \n ByteArrayUtils.append((byte[]) null, byteArray0);\n assertNotSame(byteArray0, byteArray1);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n byte[] byteArray0 = new byte[3];\n int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0);\n assertEquals(0, int0);\n \n byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1);\n byte[] byteArray2 = ByteArrayUtils.copy(byteArray1, 0);\n assertEquals(0, byteArray2.length);\n \n byte[] byteArray3 = ByteArrayUtils.append((byte[]) null, byteArray1);\n assertEquals(2, byteArray3.length);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n byte[] byteArray0 = new byte[5];\n byteArray0[0] = (byte) (-103);\n byte[] byteArray1 = new byte[7];\n int int0 = ByteArrayUtils.indexOf(byteArray1, byteArray0);\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n byte[] byteArray0 = new byte[6];\n byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, (byte)19);\n ByteArrayUtils.indexOf(byteArray1, byteArray0);\n // Undeclared exception!\n try { \n ByteArrayUtils.copy(byteArray0, (-19152));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"ByteArrayUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n byte[] byteArray0 = new byte[3];\n int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0);\n assertEquals(0, int0);\n \n byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, 0);\n byte[] byteArray2 = ByteArrayUtils.copy(byteArray1, 0);\n byte[] byteArray3 = ByteArrayUtils.append((byte[]) null, byteArray2);\n assertEquals(0, byteArray3.length);\n \n byte[] byteArray4 = ByteArrayUtils.cutAt(byteArray0, 57680);\n assertEquals(0, byteArray4.length);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n byte[] byteArray0 = new byte[4];\n byte[] byteArray1 = new byte[2];\n byte[] byteArray2 = ByteArrayUtils.append(byteArray1, byteArray0);\n assertNotSame(byteArray0, byteArray2);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n byte[] byteArray0 = new byte[3];\n int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0);\n assertEquals(0, int0);\n \n byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1);\n byte[] byteArray2 = ByteArrayUtils.cutAt(byteArray1, 69714);\n assertEquals(0, byteArray2.length);\n \n byte[] byteArray3 = ByteArrayUtils.copy(byteArray1, 0);\n assertEquals(0, byteArray3.length);\n \n byte[] byteArray4 = ByteArrayUtils.cutAt(byteArray1, (byte)0);\n byte[] byteArray5 = ByteArrayUtils.append((byte[]) null, byteArray1);\n assertSame(byteArray1, byteArray4);\n assertEquals(2, byteArray5.length);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n byte[] byteArray0 = ByteArrayUtils.append((byte[]) null, (byte[]) null);\n byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, (-63706));\n byte[] byteArray2 = ByteArrayUtils.append(byteArray0, (byte[]) null);\n ByteArrayUtils.cutAt((byte[]) null, 0);\n ByteArrayUtils.indexOf(byteArray2, (byte[]) null);\n ByteArrayUtils.append(byteArray1, byteArray1);\n byte[] byteArray3 = ByteArrayUtils.cutAt(byteArray1, 41703);\n // Undeclared exception!\n try { \n ByteArrayUtils.copy(byteArray3, (-63706));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"ByteArrayUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n byte[] byteArray0 = new byte[4];\n byteArray0[1] = (byte) (-92);\n byte[] byteArray1 = new byte[2];\n int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray1);\n assertEquals(2, int0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n byte[] byteArray0 = new byte[6];\n byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, 0);\n int int0 = ByteArrayUtils.indexOf(byteArray1, byteArray0);\n assertEquals((-1), int0);\n assertEquals(0, byteArray1.length);\n \n ByteArrayUtils byteArrayUtils0 = new ByteArrayUtils();\n byte[] byteArray2 = ByteArrayUtils.copy(byteArray0, (byte)19);\n int int1 = ByteArrayUtils.indexOf(byteArray2, byteArray0);\n assertEquals(0, int1);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n byte[] byteArray0 = new byte[1];\n int int0 = ByteArrayUtils.indexOf(byteArray0, byteArray0);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n byte[] byteArray0 = new byte[1];\n byte[] byteArray1 = ByteArrayUtils.copy(byteArray0, (byte)46);\n assertArrayEquals(new byte[] {(byte)0}, byteArray1);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n byte[] byteArray0 = ByteArrayUtils.copy((byte[]) null, 0);\n assertArrayEquals(new byte[] {}, byteArray0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n byte[] byteArray0 = ByteArrayUtils.append((byte[]) null, (byte[]) null);\n byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, (-63706));\n byte[] byteArray2 = ByteArrayUtils.append(byteArray1, byteArray1);\n int int0 = ByteArrayUtils.indexOf((byte[]) null, byteArray2);\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n byte[] byteArray0 = new byte[1];\n byte[] byteArray1 = ByteArrayUtils.append(byteArray0, byteArray0);\n assertEquals(2, byteArray1.length);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n byte[] byteArray0 = new byte[1];\n byte[] byteArray1 = ByteArrayUtils.cutAt(byteArray0, 1);\n assertEquals(0, byteArray1.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 00:34:10 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ByteArrayUtils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ByteArrayUtils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpvf1ts0ck\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ByteArrayUtils_ESTest_scaffolding.class.getClassLoader() ,\n \"ByteArrayUtils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ByteArrayUtils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ByteArrayUtils\"\n );\n }\n}\n", "class_idx": 60} {"class_name": "Test", "java_source": "// \"Remove redundant null-check\" \"true\"\nimport java.util.*;\n\npublic class Test {\n public void test() {\n System.out.println(Integer.valueOf(55).hashCode());\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Test \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 4 \n .end linenumbertable \n .end code \n.end method \n\n.method public test : ()V \n .code stack 2 locals 1 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: bipush 55 \nL5: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL8: invokevirtual Method java/lang/Integer hashCode ()I \nL11: invokevirtual Method java/io/PrintStream println (I)V \nL14: return \nL15: \n .linenumbertable \n L0 6 \n L14 7 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Test.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 20:13:11 GMT 2022\n */\n\n\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Test_ESTest extends Test_ESTest_scaffolding {\n\n @org.junit.Test(timeout = 4000)\n public void test0() throws Throwable {\n Test test0 = new Test();\n test0.test();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 20:13:11 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Test_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Test\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp0ogyvccj\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test_ESTest_scaffolding.class.getClassLoader() ,\n \"Test\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Test\"\n );\n }\n}\n", "class_idx": 61} {"class_name": "WGLARBFramebufferSRGB", "java_source": "/*\n * Copyright LWJGL. All rights reserved.\n * License terms: https://www.lwjgl.org/license\n * MACHINE GENERATED FILE, DO NOT EDIT\n */\n\n/**\n * Native bindings to the WGL_ARB_framebuffer_sRGB\n * extension.\n *\n *

WGL functionality for {@link ARBFramebufferSRGB ARB_framebuffer_sRGB}.\n *\n *

Requires {@link WGLEXTExtensionsString WGL_EXT_extensions_string}, {@link WGLARBPixelFormat\n * WGL_ARB_pixel_format} and {@link ARBFramebufferObject ARB_framebuffer_object}.\n */\npublic final class WGLARBFramebufferSRGB {\n\n /**\n * Accepted by the {@code attributes} parameter of {@link\n * WGLARBPixelFormat#wglGetPixelFormatAttribiARB GetPixelFormatAttribiARB} and the {@code\n * attribIList} of {@link WGLARBPixelFormat#wglChoosePixelFormatARB ChoosePixelFormatARB}.\n */\n public static final int WGL_FRAMEBUFFER_SRGB_CAPABLE_ARB = 0x20A9;\n\n private WGLARBFramebufferSRGB() {}\n}\n", "jasm_code": ".version 52 0 \n.class public final super WGLARBFramebufferSRGB \n.super java/lang/Object \n.field public static final WGL_FRAMEBUFFER_SRGB_CAPABLE_ARB I = 8361 \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'WGLARBFramebufferSRGB.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 14:38:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class WGLARBFramebufferSRGB_ESTest extends WGLARBFramebufferSRGB_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 14:38:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class WGLARBFramebufferSRGB_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"WGLARBFramebufferSRGB\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WGLARBFramebufferSRGB_ESTest_scaffolding.class.getClassLoader() ,\n \"WGLARBFramebufferSRGB\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WGLARBFramebufferSRGB_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"WGLARBFramebufferSRGB\"\n );\n }\n}\n", "class_idx": 62} {"class_name": "MockSyslogServer", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one or more\n * contributor license agreements. See the NOTICE file distributed with\n * this work for additional information regarding copyright ownership.\n * The ASF licenses this file to You under the Apache license, Version 2.0\n * (the \"License\"); you may not use this file except in compliance with\n * the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the license for the specific language governing permissions and\n * limitations under the license.\n */\n\nimport java.util.ArrayList;\nimport java.util.List;\n\npublic abstract class MockSyslogServer extends Thread {\n protected List messageList;\n protected int port;\n private final int numberOfMessagesToReceive;\n\n public MockSyslogServer(final int numberOfMessagesToReceive, final int port) {\n this.numberOfMessagesToReceive = numberOfMessagesToReceive;\n this.messageList = new ArrayList<>();\n this.port = port;\n }\n\n @Override\n public void run() {}\n\n public void shutdown() {}\n\n public int getNumberOfReceivedMessages() {\n return messageList.size();\n }\n\n public List getMessageList() {\n return messageList;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super abstract MockSyslogServer \n.super java/lang/Thread \n.field protected messageList Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field protected port I \n.field private final numberOfMessagesToReceive I \n\n.method public : (II)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Thread ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field MockSyslogServer numberOfMessagesToReceive I \nL9: aload_0 \nL10: new java/util/ArrayList \nL13: dup \nL14: invokespecial Method java/util/ArrayList ()V \nL17: putfield Field MockSyslogServer messageList Ljava/util/List; \nL20: aload_0 \nL21: iload_2 \nL22: putfield Field MockSyslogServer port I \nL25: return \nL26: \n .linenumbertable \n L0 27 \n L4 28 \n L9 29 \n L20 30 \n L25 31 \n .end linenumbertable \n .end code \n.end method \n\n.method public run : ()V \n .code stack 0 locals 1 \nL0: return \nL1: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public shutdown : ()V \n .code stack 0 locals 1 \nL0: return \nL1: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public getNumberOfReceivedMessages : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MockSyslogServer messageList Ljava/util/List; \nL4: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL9: ireturn \nL10: \n .linenumbertable \n L0 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMessageList : ()Ljava/util/List; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MockSyslogServer messageList Ljava/util/List; \nL4: areturn \nL5: \n .linenumbertable \n L0 47 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/List; \n.end method \n.sourcefile 'MockSyslogServer.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 13:03:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MockSyslogServer_ESTest extends MockSyslogServer_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 13:03:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MockSyslogServer_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MockSyslogServer\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MockSyslogServer_ESTest_scaffolding.class.getClassLoader() ,\n \"MockSyslogServer\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MockSyslogServer_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MockSyslogServer\"\n );\n }\n}\n", "class_idx": 63} {"class_name": "SizeLimitInputStream", "java_source": "/*\n * Input stream wrapper with a byte limit.\n * Copyright (C) 2004 Stephen Ostermiller\n * http://ostermiller.org/contact.pl?regarding=Java+Utilities\n *\n * This program is free software; you can redistribute it and/or modify\n * it under the terms of the GNU General Public License as published by\n * the Free Software Foundation; either version 2 of the License, or\n * (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * See COPYING.TXT for details.\n */\n\nimport java.io.IOException;\nimport java.io.InputStream;\n\n/**\n * An input stream wrapper that will read only a set number of bytes from the underlying stream.\n *\n * @author Stephen Ostermiller http://ostermiller.org/contact.pl?regarding=Java+Utilities\n * @since ostermillerutils 1.04.00\n */\npublic class SizeLimitInputStream extends InputStream {\n\n /**\n * The input stream that is being protected. All methods should be forwarded to it, after checking\n * the size that has been read.\n *\n * @since ostermillerutils 1.04.00\n */\n protected InputStream in;\n\n /**\n * The number of bytes to read at most from this Stream. Read methods should check to ensure that\n * bytesRead never exceeds maxBytesToRead.\n *\n * @since ostermillerutils 1.04.00\n */\n protected long maxBytesToRead = 0;\n\n /**\n * The number of bytes that have been read from this stream. Read methods should check to ensure\n * that bytesRead never exceeds maxBytesToRead.\n *\n * @since ostermillerutils 1.04.00\n */\n protected long bytesRead = 0;\n\n /**\n * The number of bytes that have been read from this stream since mark() was called.\n *\n * @since ostermillerutils 1.04.00\n */\n protected long bytesReadSinceMark = 0;\n\n /**\n * The number of bytes the user has request to have been marked for reset.\n *\n * @since ostermillerutils 1.04.00\n */\n protected long markReadLimitBytes = -1;\n\n /**\n * Get the number of bytes actually read from this stream.\n *\n * @return number of bytes that have already been taken from this stream.\n * @since ostermillerutils 1.04.00\n */\n public long getBytesRead() {\n return bytesRead;\n }\n\n /**\n * Get the maximum number of bytes left to read before the limit (set in the constructor) is\n * reached.\n *\n * @return The number of bytes that (at a maximum) are left to be taken from this stream.\n * @since ostermillerutils 1.04.00\n */\n public long getBytesLeft() {\n return maxBytesToRead - bytesRead;\n }\n\n /**\n * Tell whether the number of bytes specified in the constructor have been read yet.\n *\n * @return true iff the specified number of bytes have all been read.\n * @since ostermillerutils 1.04.00\n */\n public boolean allBytesRead() {\n return getBytesLeft() == 0;\n }\n\n /**\n * Get the number of total bytes (including bytes already read) that can be read from this stream\n * (as set in the constructor).\n *\n * @return Maximum bytes that can be read until the size limit runs out\n * @since ostermillerutils 1.04.00\n */\n public long getMaxBytesToRead() {\n return maxBytesToRead;\n }\n\n /**\n * Create a new size limit input stream from another stream given a size limit.\n *\n * @param in The input stream.\n * @param maxBytesToRead the max number of bytes to allow to be read from the underlying stream.\n * @since ostermillerutils 1.04.00\n */\n public SizeLimitInputStream(InputStream in, long maxBytesToRead) {\n this.in = in;\n this.maxBytesToRead = maxBytesToRead;\n }\n\n /** {@inheritDoc} */\n @Override\n public int read() throws IOException {\n if (bytesRead >= maxBytesToRead) {\n return -1;\n }\n int b = in.read();\n if (b != -1) {\n bytesRead++;\n bytesReadSinceMark++;\n }\n return b;\n }\n\n /** {@inheritDoc} */\n @Override\n public int read(byte[] b) throws IOException {\n return this.read(b, 0, b.length);\n }\n\n /** {@inheritDoc} */\n @Override\n public int read(byte[] b, int off, int len) throws IOException {\n if (bytesRead >= maxBytesToRead) {\n return -1;\n }\n long bytesLeft = getBytesLeft();\n if (len > bytesLeft) {\n len = (int) bytesLeft;\n }\n int bytesJustRead = in.read(b, off, len);\n bytesRead += bytesJustRead;\n bytesReadSinceMark += bytesJustRead;\n return bytesJustRead;\n }\n\n /** {@inheritDoc} */\n @Override\n public long skip(long n) throws IOException {\n if (bytesRead >= maxBytesToRead) {\n return -1;\n }\n long bytesLeft = getBytesLeft();\n if (n > bytesLeft) {\n n = bytesLeft;\n }\n return in.skip(n);\n }\n\n /** {@inheritDoc} */\n @Override\n public int available() throws IOException {\n int available = in.available();\n long bytesLeft = getBytesLeft();\n if (available > bytesLeft) {\n available = (int) bytesLeft;\n }\n return available;\n }\n\n /**\n * Close this stream and underlying streams. Calling this method may make data on the underlying\n * stream unavailable.\n *\n *

Consider wrapping this stream in a NoCloseStream so that clients can call close() with no\n * effect.\n *\n * @since ostermillerutils 1.04.00\n */\n @Override\n public void close() throws IOException {\n in.close();\n }\n\n /** {@inheritDoc} */\n @Override\n public synchronized void mark(int readlimit) {\n if (in.markSupported()) {\n markReadLimitBytes = readlimit;\n bytesReadSinceMark = 0;\n in.mark(readlimit);\n }\n }\n\n /** {@inheritDoc} */\n @Override\n public synchronized void reset() throws IOException {\n if (in.markSupported() && bytesReadSinceMark <= markReadLimitBytes) {\n bytesRead -= bytesReadSinceMark;\n in.reset();\n bytesReadSinceMark = 0;\n }\n }\n\n /** {@inheritDoc} */\n @Override\n public boolean markSupported() {\n return in.markSupported();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SizeLimitInputStream \n.super java/io/InputStream \n.field protected in Ljava/io/InputStream; \n.field protected maxBytesToRead J \n.field protected bytesRead J \n.field protected bytesReadSinceMark J \n.field protected markReadLimitBytes J \n\n.method public getBytesRead : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream bytesRead J \nL4: lreturn \nL5: \n .linenumbertable \n L0 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBytesLeft : ()J \n .code stack 4 locals 1 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream maxBytesToRead J \nL4: aload_0 \nL5: getfield Field SizeLimitInputStream bytesRead J \nL8: lsub \nL9: lreturn \nL10: \n .linenumbertable \n L0 94 \n .end linenumbertable \n .end code \n.end method \n\n.method public allBytesRead : ()Z \n .code stack 4 locals 1 \nL0: aload_0 \nL1: invokevirtual Method SizeLimitInputStream getBytesLeft ()J \nL4: lconst_0 \nL5: lcmp \nL6: ifne L13 \nL9: iconst_1 \nL10: goto L14 \n\n .stack same \nL13: iconst_0 \n\n .stack stack_1 Integer \nL14: ireturn \nL15: \n .linenumbertable \n L0 106 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMaxBytesToRead : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream maxBytesToRead J \nL4: lreturn \nL5: \n .linenumbertable \n L0 118 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/io/InputStream;J)V \n .code stack 3 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/io/InputStream ()V \nL4: aload_0 \nL5: lconst_0 \nL6: putfield Field SizeLimitInputStream maxBytesToRead J \nL9: aload_0 \nL10: lconst_0 \nL11: putfield Field SizeLimitInputStream bytesRead J \nL14: aload_0 \nL15: lconst_0 \nL16: putfield Field SizeLimitInputStream bytesReadSinceMark J \nL19: aload_0 \nL20: ldc2_w -1L \nL23: putfield Field SizeLimitInputStream markReadLimitBytes J \nL26: aload_0 \nL27: aload_1 \nL28: putfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL31: aload_0 \nL32: lload_2 \nL33: putfield Field SizeLimitInputStream maxBytesToRead J \nL36: return \nL37: \n .linenumbertable \n L0 133 \n L4 48 \n L9 56 \n L14 64 \n L19 71 \n L26 134 \n L31 135 \n L36 136 \n .end linenumbertable \n .end code \n.end method \n\n.method public read : ()I \n .code stack 5 locals 2 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream bytesRead J \nL4: aload_0 \nL5: getfield Field SizeLimitInputStream maxBytesToRead J \nL8: lcmp \nL9: iflt L14 \nL12: iconst_m1 \nL13: ireturn \n\n .stack same \nL14: aload_0 \nL15: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL18: invokevirtual Method java/io/InputStream read ()I \nL21: istore_1 \nL22: iload_1 \nL23: iconst_m1 \nL24: if_icmpeq L47 \nL27: aload_0 \nL28: dup \nL29: getfield Field SizeLimitInputStream bytesRead J \nL32: lconst_1 \nL33: ladd \nL34: putfield Field SizeLimitInputStream bytesRead J \nL37: aload_0 \nL38: dup \nL39: getfield Field SizeLimitInputStream bytesReadSinceMark J \nL42: lconst_1 \nL43: ladd \nL44: putfield Field SizeLimitInputStream bytesReadSinceMark J \n\n .stack append Integer \nL47: iload_1 \nL48: ireturn \nL49: \n .linenumbertable \n L0 143 \n L12 144 \n L14 146 \n L22 147 \n L27 148 \n L37 149 \n L47 151 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public read : ([B)I \n .code stack 4 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: iconst_0 \nL3: aload_1 \nL4: arraylength \nL5: invokevirtual Method SizeLimitInputStream read ([BII)I \nL8: ireturn \nL9: \n .linenumbertable \n L0 159 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public read : ([BII)I \n .code stack 5 locals 7 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream bytesRead J \nL4: aload_0 \nL5: getfield Field SizeLimitInputStream maxBytesToRead J \nL8: lcmp \nL9: iflt L14 \nL12: iconst_m1 \nL13: ireturn \n\n .stack same \nL14: aload_0 \nL15: invokevirtual Method SizeLimitInputStream getBytesLeft ()J \nL18: lstore 4 \nL20: iload_3 \nL21: i2l \nL22: lload 4 \nL24: lcmp \nL25: ifle L32 \nL28: lload 4 \nL30: l2i \nL31: istore_3 \n\n .stack append Long \nL32: aload_0 \nL33: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL36: aload_1 \nL37: iload_2 \nL38: iload_3 \nL39: invokevirtual Method java/io/InputStream read ([BII)I \nL42: istore 6 \nL44: aload_0 \nL45: dup \nL46: getfield Field SizeLimitInputStream bytesRead J \nL49: iload 6 \nL51: i2l \nL52: ladd \nL53: putfield Field SizeLimitInputStream bytesRead J \nL56: aload_0 \nL57: dup \nL58: getfield Field SizeLimitInputStream bytesReadSinceMark J \nL61: iload 6 \nL63: i2l \nL64: ladd \nL65: putfield Field SizeLimitInputStream bytesReadSinceMark J \nL68: iload 6 \nL70: ireturn \nL71: \n .linenumbertable \n L0 167 \n L12 168 \n L14 170 \n L20 171 \n L28 172 \n L32 174 \n L44 175 \n L56 176 \n L68 177 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public skip : (J)J \n .code stack 4 locals 5 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream bytesRead J \nL4: aload_0 \nL5: getfield Field SizeLimitInputStream maxBytesToRead J \nL8: lcmp \nL9: iflt L16 \nL12: ldc2_w -1L \nL15: lreturn \n\n .stack same \nL16: aload_0 \nL17: invokevirtual Method SizeLimitInputStream getBytesLeft ()J \nL20: lstore_3 \nL21: lload_1 \nL22: lload_3 \nL23: lcmp \nL24: ifle L29 \nL27: lload_3 \nL28: lstore_1 \n\n .stack append Long \nL29: aload_0 \nL30: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL33: lload_1 \nL34: invokevirtual Method java/io/InputStream skip (J)J \nL37: lreturn \nL38: \n .linenumbertable \n L0 185 \n L12 186 \n L16 188 \n L21 189 \n L27 190 \n L29 192 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public available : ()I \n .code stack 4 locals 4 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL4: invokevirtual Method java/io/InputStream available ()I \nL7: istore_1 \nL8: aload_0 \nL9: invokevirtual Method SizeLimitInputStream getBytesLeft ()J \nL12: lstore_2 \nL13: iload_1 \nL14: i2l \nL15: lload_2 \nL16: lcmp \nL17: ifle L23 \nL20: lload_2 \nL21: l2i \nL22: istore_1 \n\n .stack append Integer Long \nL23: iload_1 \nL24: ireturn \nL25: \n .linenumbertable \n L0 200 \n L8 201 \n L13 202 \n L20 203 \n L23 205 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public close : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL4: invokevirtual Method java/io/InputStream close ()V \nL7: return \nL8: \n .linenumbertable \n L0 219 \n L7 220 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public synchronized mark : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL4: invokevirtual Method java/io/InputStream markSupported ()Z \nL7: ifeq L29 \nL10: aload_0 \nL11: iload_1 \nL12: i2l \nL13: putfield Field SizeLimitInputStream markReadLimitBytes J \nL16: aload_0 \nL17: lconst_0 \nL18: putfield Field SizeLimitInputStream bytesReadSinceMark J \nL21: aload_0 \nL22: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL25: iload_1 \nL26: invokevirtual Method java/io/InputStream mark (I)V \n\n .stack same \nL29: return \nL30: \n .linenumbertable \n L0 227 \n L10 228 \n L16 229 \n L21 230 \n L29 232 \n .end linenumbertable \n .end code \n.end method \n\n.method public synchronized reset : ()V \n .code stack 5 locals 1 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL4: invokevirtual Method java/io/InputStream markSupported ()Z \nL7: ifeq L47 \nL10: aload_0 \nL11: getfield Field SizeLimitInputStream bytesReadSinceMark J \nL14: aload_0 \nL15: getfield Field SizeLimitInputStream markReadLimitBytes J \nL18: lcmp \nL19: ifgt L47 \nL22: aload_0 \nL23: dup \nL24: getfield Field SizeLimitInputStream bytesRead J \nL27: aload_0 \nL28: getfield Field SizeLimitInputStream bytesReadSinceMark J \nL31: lsub \nL32: putfield Field SizeLimitInputStream bytesRead J \nL35: aload_0 \nL36: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL39: invokevirtual Method java/io/InputStream reset ()V \nL42: aload_0 \nL43: lconst_0 \nL44: putfield Field SizeLimitInputStream bytesReadSinceMark J \n\n .stack same \nL47: return \nL48: \n .linenumbertable \n L0 239 \n L22 240 \n L35 241 \n L42 242 \n L47 244 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public markSupported : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SizeLimitInputStream in Ljava/io/InputStream; \nL4: invokevirtual Method java/io/InputStream markSupported ()Z \nL7: ireturn \nL8: \n .linenumbertable \n L0 251 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SizeLimitInputStream.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 19:43:49 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.shaded.org.mockito.Mockito.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.io.BufferedInputStream;\nimport java.io.ByteArrayInputStream;\nimport java.io.DataInputStream;\nimport java.io.FileDescriptor;\nimport java.io.IOException;\nimport java.io.InputStream;\nimport java.io.PipedInputStream;\nimport java.io.PipedOutputStream;\nimport java.io.SequenceInputStream;\nimport java.util.Enumeration;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.ViolatedAssumptionAnswer;\nimport org.evosuite.runtime.mock.java.io.MockFileInputStream;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SizeLimitInputStream_ESTest extends SizeLimitInputStream_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n byte[] byteArray0 = new byte[4];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (-3112), 0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (-38849L));\n sizeLimitInputStream0.reset();\n assertEquals(0L, sizeLimitInputStream0.getBytesRead());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n PipedInputStream pipedInputStream0 = new PipedInputStream();\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 0L);\n int int0 = sizeLimitInputStream0.available();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n byte[] byteArray0 = new byte[5];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (byte)0, 1);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L);\n long long0 = sizeLimitInputStream0.skip(0L);\n assertEquals((-1L), long0);\n assertEquals(0L, sizeLimitInputStream0.getBytesRead());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n byte[] byteArray0 = new byte[9];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L);\n sizeLimitInputStream0.bytesRead = 0L;\n sizeLimitInputStream0.bytesRead = 46247L;\n int int0 = sizeLimitInputStream0.read();\n assertEquals((-46247L), sizeLimitInputStream0.getBytesLeft());\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n PipedOutputStream pipedOutputStream0 = new PipedOutputStream();\n PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L);\n boolean boolean0 = sizeLimitInputStream0.allBytesRead();\n assertEquals(1L, sizeLimitInputStream0.getBytesLeft());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n byte[] byteArray0 = new byte[5];\n byteArray0[0] = (byte)21;\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (byte)0);\n sizeLimitInputStream0.bytesRead = (-19651L);\n int int0 = sizeLimitInputStream0.read();\n assertEquals(4, byteArrayInputStream0.available());\n assertEquals(21, int0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L));\n sizeLimitInputStream0.markSupported();\n assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n PipedOutputStream pipedOutputStream0 = new PipedOutputStream();\n PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L);\n long long0 = sizeLimitInputStream0.getMaxBytesToRead();\n assertEquals(1L, long0);\n assertFalse(sizeLimitInputStream0.allBytesRead());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n byte[] byteArray0 = new byte[4];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n BufferedInputStream bufferedInputStream0 = new BufferedInputStream(byteArrayInputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(bufferedInputStream0, (-8567L));\n long long0 = sizeLimitInputStream0.getMaxBytesToRead();\n assertEquals((-8567L), long0);\n assertEquals((-8567L), sizeLimitInputStream0.getBytesLeft());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n byte[] byteArray0 = new byte[5];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (byte)0);\n sizeLimitInputStream0.bytesRead = (-19651L);\n long long0 = sizeLimitInputStream0.getBytesRead();\n assertEquals((-19651L), long0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n PipedOutputStream pipedOutputStream0 = new PipedOutputStream();\n PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L);\n long long0 = sizeLimitInputStream0.getBytesLeft();\n assertEquals(1L, long0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n PipedOutputStream pipedOutputStream0 = new PipedOutputStream();\n PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L);\n byte[] byteArray0 = new byte[9];\n // Undeclared exception!\n try { \n sizeLimitInputStream0.read(byteArray0, (int) (byte)71, (int) (byte)46);\n fail(\"Expecting exception: IndexOutOfBoundsException\");\n \n } catch(IndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.io.PipedInputStream\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L));\n byte[] byteArray0 = new byte[3];\n int int0 = sizeLimitInputStream0.read(byteArray0, (-1), (int) (byte) (-1));\n assertEquals((-1), int0);\n assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft());\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L));\n long long0 = sizeLimitInputStream0.getBytesLeft();\n assertEquals((-96012L), long0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n byte[] byteArray0 = new byte[4];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n BufferedInputStream bufferedInputStream0 = new BufferedInputStream(byteArrayInputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(bufferedInputStream0, (-8567L));\n sizeLimitInputStream0.mark(13837);\n sizeLimitInputStream0.reset();\n sizeLimitInputStream0.reset();\n sizeLimitInputStream0.markSupported();\n long long0 = sizeLimitInputStream0.getMaxBytesToRead();\n assertEquals((-8567L), long0);\n \n int int0 = sizeLimitInputStream0.read(byteArray0, (int) (byte) (-113), (-18399));\n assertEquals((-8567L), sizeLimitInputStream0.getBytesLeft());\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L));\n sizeLimitInputStream0.reset();\n assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft());\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L));\n sizeLimitInputStream0.mark(0);\n assertEquals((-96012L), sizeLimitInputStream0.getBytesLeft());\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L));\n int int0 = sizeLimitInputStream0.available();\n assertEquals((-96012), int0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n PipedOutputStream pipedOutputStream0 = new PipedOutputStream();\n PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L);\n int int0 = sizeLimitInputStream0.available();\n assertEquals(0, int0);\n assertFalse(sizeLimitInputStream0.allBytesRead());\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, (-96012L));\n long long0 = sizeLimitInputStream0.skip(1L);\n assertEquals((-1L), long0);\n assertEquals(0L, sizeLimitInputStream0.getBytesRead());\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n PipedInputStream pipedInputStream0 = new PipedInputStream(52433);\n DataInputStream dataInputStream0 = new DataInputStream(pipedInputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 52433);\n long long0 = sizeLimitInputStream0.skip((-26846L));\n assertEquals(0L, long0);\n \n sizeLimitInputStream0.mark((-59536));\n assertEquals(52433L, sizeLimitInputStream0.getBytesLeft());\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Enumeration enumeration0 = (Enumeration) mock(Enumeration.class, new ViolatedAssumptionAnswer());\n doReturn(false).when(enumeration0).hasMoreElements();\n SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(sequenceInputStream0, 1L);\n byte[] byteArray0 = new byte[9];\n int int0 = sizeLimitInputStream0.read(byteArray0, (-59301), (int) (byte)0);\n assertEquals((-1L), sizeLimitInputStream0.getBytesRead());\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n PipedOutputStream pipedOutputStream0 = new PipedOutputStream();\n PipedInputStream pipedInputStream0 = new PipedInputStream(pipedOutputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(pipedInputStream0, 1L);\n byte[] byteArray0 = new byte[4];\n sizeLimitInputStream0.close();\n try { \n sizeLimitInputStream0.read(byteArray0);\n fail(\"Expecting exception: IOException\");\n \n } catch(IOException e) {\n //\n // Pipe closed\n //\n verifyException(\"java.io.PipedInputStream\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n byte[] byteArray0 = new byte[9];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L);\n int int0 = sizeLimitInputStream0.read();\n assertTrue(sizeLimitInputStream0.allBytesRead());\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n byte[] byteArray0 = new byte[5];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, (byte)0);\n sizeLimitInputStream0.bytesRead = (-19651L);\n int int0 = sizeLimitInputStream0.read();\n assertEquals(4, byteArrayInputStream0.available());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n byte[] byteArray0 = new byte[9];\n ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(byteArrayInputStream0, 0L);\n sizeLimitInputStream0.bytesRead = 0L;\n sizeLimitInputStream0.bytesRead = 46247L;\n boolean boolean0 = sizeLimitInputStream0.allBytesRead();\n assertEquals((-46247L), sizeLimitInputStream0.getBytesLeft());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n FileDescriptor fileDescriptor0 = new FileDescriptor();\n MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0);\n DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L);\n byte[] byteArray0 = new byte[5];\n int int0 = sizeLimitInputStream0.read(byteArray0);\n assertEquals((-1), int0);\n assertTrue(sizeLimitInputStream0.allBytesRead());\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n FileDescriptor fileDescriptor0 = new FileDescriptor();\n MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0);\n DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L);\n sizeLimitInputStream0.getMaxBytesToRead();\n assertEquals(0L, sizeLimitInputStream0.getBytesRead());\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n FileDescriptor fileDescriptor0 = new FileDescriptor();\n MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0);\n DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L);\n boolean boolean0 = sizeLimitInputStream0.allBytesRead();\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n FileDescriptor fileDescriptor0 = new FileDescriptor();\n MockFileInputStream mockFileInputStream0 = new MockFileInputStream(fileDescriptor0);\n DataInputStream dataInputStream0 = new DataInputStream(mockFileInputStream0);\n SizeLimitInputStream sizeLimitInputStream0 = new SizeLimitInputStream(dataInputStream0, 0L);\n long long0 = sizeLimitInputStream0.getBytesRead();\n assertEquals(0L, long0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 19:43:49 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\nimport static org.evosuite.shaded.org.mockito.Mockito.*;\n@EvoSuiteClassExclude\npublic class SizeLimitInputStream_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SizeLimitInputStream\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n try { initMocksToAvoidTimeoutsInTheTests(); } catch(ClassNotFoundException e) {} \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpxta35hrx\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SizeLimitInputStream_ESTest_scaffolding.class.getClassLoader() ,\n \"SizeLimitInputStream\"\n );\n } \n private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { \n mock(Class.forName(\"java.util.Enumeration\", false, SizeLimitInputStream_ESTest_scaffolding.class.getClassLoader()));\n }\n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SizeLimitInputStream_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SizeLimitInputStream\"\n );\n }\n}\n", "class_idx": 64} {"class_name": "SocialMediaPlatform", "java_source": "/*\n * To change this license header, choose License Headers in Project Properties.\n * To change this template file, choose Tools | Templates\n * and open the template in the editor.\n */\n\n/**\n * @author 15367519\n */\npublic class SocialMediaPlatform {\n private final String name;\n\n public SocialMediaPlatform(String name) {\n this.name = name;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SocialMediaPlatform \n.super java/lang/Object \n.field private final name Ljava/lang/String; \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field SocialMediaPlatform name Ljava/lang/String; \nL9: return \nL10: \n .linenumbertable \n L0 16 \n L4 17 \n L9 18 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SocialMediaPlatform.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 12:16:31 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SocialMediaPlatform_ESTest extends SocialMediaPlatform_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SocialMediaPlatform socialMediaPlatform0 = new SocialMediaPlatform(\"LR\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 12:16:31 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SocialMediaPlatform_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SocialMediaPlatform\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp3p_oixvg\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SocialMediaPlatform_ESTest_scaffolding.class.getClassLoader() ,\n \"SocialMediaPlatform\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SocialMediaPlatform_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SocialMediaPlatform\"\n );\n }\n}\n", "class_idx": 65} {"class_name": "Message", "java_source": "public class Message {\n\n private String title;\n private String body;\n private long timestamp;\n\n public String getTitle() {\n return title;\n }\n\n public void setTitle(String title) {\n this.title = title;\n }\n\n public String getBody() {\n return body;\n }\n\n public void setBody(String body) {\n this.body = body;\n }\n\n public long getTimestamp() {\n return timestamp;\n }\n\n public void setTimestamp(long timestamp) {\n this.timestamp = timestamp;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Message \n.super java/lang/Object \n.field private title Ljava/lang/String; \n.field private body Ljava/lang/String; \n.field private timestamp J \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTitle : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Message title Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTitle : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Message title Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 14 \n L5 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBody : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Message body Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public setBody : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Message body Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 22 \n L5 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTimestamp : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field Message timestamp J \nL4: lreturn \nL5: \n .linenumbertable \n L0 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTimestamp : (J)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: lload_1 \nL2: putfield Field Message timestamp J \nL5: return \nL6: \n .linenumbertable \n L0 30 \n L5 31 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Message.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 19:53:46 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Message_ESTest extends Message_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Message message0 = new Message();\n message0.setTitle(\"x1wQj# : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public abstract initialize : (I)V \n.end method \n.sourcefile 'Classifier.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 03:40:19 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Classifier_ESTest extends Classifier_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 03:40:19 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Classifier_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Classifier\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Classifier_ESTest_scaffolding.class.getClassLoader() ,\n \"Classifier\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Classifier_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Classifier\"\n );\n }\n}\n", "class_idx": 67} {"class_name": "Page", "java_source": "import java.io.Serializable;\n\n/** \u5206\u9875 */\npublic class Page implements Serializable {\n\n private int pageNow = 1; // \u5f53\u524d\u9875\u6570\n\n private int pageSize; // \u6bcf\u9875\u663e\u793a\u8bb0\u5f55\u7684\u6761\u6570\n\n private int totalCount; // \u603b\u7684\u8bb0\u5f55\u6761\u6570\n\n private int totalPageCount; // \u603b\u7684\u9875\u6570\n\n @SuppressWarnings(\"unused\")\n private int startPos; // \u5f00\u59cb\u4f4d\u7f6e\uff0c\u4ece0\u5f00\u59cb\n\n @SuppressWarnings(\"unused\")\n private boolean hasFirst; // \u662f\u5426\u6709\u9996\u9875\n\n @SuppressWarnings(\"unused\")\n private boolean hasPre; // \u662f\u5426\u6709\u524d\u4e00\u9875\n\n @SuppressWarnings(\"unused\")\n private boolean hasNext; // \u662f\u5426\u6709\u4e0b\u4e00\u9875\n\n @SuppressWarnings(\"unused\")\n private boolean hasLast; // \u662f\u5426\u6709\u6700\u540e\u4e00\u9875\n\n /**\n * \u901a\u8fc7\u6784\u9020\u51fd\u6570 \u4f20\u5165 \u603b\u8bb0\u5f55\u6570 \u548c \u5f53\u524d\u9875\n *\n * @param totalCount\n * @param pageNow\n */\n public Page(int totalCount, int pageNow, int pageSize) {\n this.totalCount = totalCount;\n this.pageNow = pageNow;\n this.pageSize = pageSize;\n }\n\n /**\n * \u53d6\u5f97\u603b\u9875\u6570\uff0c\u603b\u9875\u6570=\u603b\u8bb0\u5f55\u6570/\u603b\u9875\u6570\n *\n * @return\n */\n public int getTotalPageCount() {\n totalPageCount = getTotalCount() / getPageSize();\n return (totalCount % pageSize == 0) ? totalPageCount : totalPageCount + 1;\n }\n\n public void setTotalPageCount(int totalPageCount) {\n this.totalPageCount = totalPageCount;\n }\n\n public int getPageNow() {\n return pageNow;\n }\n\n public void setPageNow(int pageNow) {\n this.pageNow = pageNow;\n }\n\n public int getPageSize() {\n return pageSize;\n }\n\n public void setPageSize(int pageSize) {\n this.pageSize = pageSize;\n }\n\n public int getTotalCount() {\n return totalCount;\n }\n\n public void setTotalCount(int totalCount) {\n this.totalCount = totalCount;\n }\n\n /**\n * \u53d6\u5f97\u9009\u62e9\u8bb0\u5f55\u7684\u521d\u59cb\u4f4d\u7f6e\n *\n * @return\n */\n public int getStartPos() {\n return (pageNow - 1) * pageSize;\n }\n\n public void setStartPos(int startPos) {\n this.startPos = startPos;\n }\n\n /**\n * \u662f\u5426\u662f\u7b2c\u4e00\u9875\n *\n * @return\n */\n public boolean isHasFirst() {\n return (pageNow == 1) ? false : true;\n }\n\n public void setHasFirst(boolean hasFirst) {\n this.hasFirst = hasFirst;\n }\n\n /**\n * \u662f\u5426\u6709\u9996\u9875\n *\n * @return\n */\n public boolean isHasPre() {\n // \u5982\u679c\u6709\u9996\u9875\u5c31\u6709\u524d\u4e00\u9875\uff0c\u56e0\u4e3a\u6709\u9996\u9875\u5c31\u4e0d\u662f\u7b2c\u4e00\u9875\n return isHasFirst() ? true : false;\n }\n\n public void setHasPre(boolean hasPre) {\n this.hasPre = hasPre;\n }\n\n /**\n * \u662f\u5426\u6709\u4e0b\u4e00\u9875\n *\n * @return\n */\n public boolean isHasNext() {\n // \u5982\u679c\u6709\u5c3e\u9875\u5c31\u6709\u4e0b\u4e00\u9875\uff0c\u56e0\u4e3a\u6709\u5c3e\u9875\u8868\u660e\u4e0d\u662f\u6700\u540e\u4e00\u9875\n return isHasLast() ? true : false;\n }\n\n public void setHasNext(boolean hasNext) {\n this.hasNext = hasNext;\n }\n\n /**\n * \u662f\u5426\u6709\u5c3e\u9875\n *\n * @return\n */\n public boolean isHasLast() {\n // \u5982\u679c\u4e0d\u662f\u6700\u540e\u4e00\u9875\u5c31\u6709\u5c3e\u9875\n return (pageNow == getTotalCount()) ? false : true;\n }\n\n public void setHasLast(boolean hasLast) {\n this.hasLast = hasLast;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Page \n.super java/lang/Object \n.implements java/io/Serializable \n.field private pageNow I \n.field private pageSize I \n.field private totalCount I \n.field private totalPageCount I \n.field private startPos I \n.field private hasFirst Z \n.field private hasPre Z \n.field private hasNext Z \n.field private hasLast Z \n\n.method public : (III)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_1 \nL6: putfield Field Page pageNow I \nL9: aload_0 \nL10: iload_1 \nL11: putfield Field Page totalCount I \nL14: aload_0 \nL15: iload_2 \nL16: putfield Field Page pageNow I \nL19: aload_0 \nL20: iload_3 \nL21: putfield Field Page pageSize I \nL24: return \nL25: \n .linenumbertable \n L0 43 \n L4 11 \n L9 44 \n L14 45 \n L19 46 \n L24 47 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTotalPageCount : ()I \n .code stack 3 locals 1 \nL0: aload_0 \nL1: aload_0 \nL2: invokevirtual Method Page getTotalCount ()I \nL5: aload_0 \nL6: invokevirtual Method Page getPageSize ()I \nL9: idiv \nL10: putfield Field Page totalPageCount I \nL13: aload_0 \nL14: getfield Field Page totalCount I \nL17: aload_0 \nL18: getfield Field Page pageSize I \nL21: irem \nL22: ifne L32 \nL25: aload_0 \nL26: getfield Field Page totalPageCount I \nL29: goto L38 \n\n .stack same \nL32: aload_0 \nL33: getfield Field Page totalPageCount I \nL36: iconst_1 \nL37: iadd \n\n .stack stack_1 Integer \nL38: ireturn \nL39: \n .linenumbertable \n L0 55 \n L13 56 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTotalPageCount : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page totalPageCount I \nL5: return \nL6: \n .linenumbertable \n L0 60 \n L5 61 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPageNow : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Page pageNow I \nL4: ireturn \nL5: \n .linenumbertable \n L0 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPageNow : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page pageNow I \nL5: return \nL6: \n .linenumbertable \n L0 68 \n L5 69 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPageSize : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Page pageSize I \nL4: ireturn \nL5: \n .linenumbertable \n L0 72 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPageSize : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page pageSize I \nL5: return \nL6: \n .linenumbertable \n L0 76 \n L5 77 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTotalCount : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Page totalCount I \nL4: ireturn \nL5: \n .linenumbertable \n L0 80 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTotalCount : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page totalCount I \nL5: return \nL6: \n .linenumbertable \n L0 84 \n L5 85 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStartPos : ()I \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field Page pageNow I \nL4: iconst_1 \nL5: isub \nL6: aload_0 \nL7: getfield Field Page pageSize I \nL10: imul \nL11: ireturn \nL12: \n .linenumbertable \n L0 93 \n .end linenumbertable \n .end code \n.end method \n\n.method public setStartPos : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page startPos I \nL5: return \nL6: \n .linenumbertable \n L0 97 \n L5 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public isHasFirst : ()Z \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field Page pageNow I \nL4: iconst_1 \nL5: if_icmpne L12 \nL8: iconst_0 \nL9: goto L13 \n\n .stack same \nL12: iconst_1 \n\n .stack stack_1 Integer \nL13: ireturn \nL14: \n .linenumbertable \n L0 106 \n .end linenumbertable \n .end code \n.end method \n\n.method public setHasFirst : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page hasFirst Z \nL5: return \nL6: \n .linenumbertable \n L0 110 \n L5 111 \n .end linenumbertable \n .end code \n.end method \n\n.method public isHasPre : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method Page isHasFirst ()Z \nL4: ifeq L11 \nL7: iconst_1 \nL8: goto L12 \n\n .stack same \nL11: iconst_0 \n\n .stack stack_1 Integer \nL12: ireturn \nL13: \n .linenumbertable \n L0 120 \n .end linenumbertable \n .end code \n.end method \n\n.method public setHasPre : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page hasPre Z \nL5: return \nL6: \n .linenumbertable \n L0 124 \n L5 125 \n .end linenumbertable \n .end code \n.end method \n\n.method public isHasNext : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method Page isHasLast ()Z \nL4: ifeq L11 \nL7: iconst_1 \nL8: goto L12 \n\n .stack same \nL11: iconst_0 \n\n .stack stack_1 Integer \nL12: ireturn \nL13: \n .linenumbertable \n L0 134 \n .end linenumbertable \n .end code \n.end method \n\n.method public setHasNext : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page hasNext Z \nL5: return \nL6: \n .linenumbertable \n L0 138 \n L5 139 \n .end linenumbertable \n .end code \n.end method \n\n.method public isHasLast : ()Z \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field Page pageNow I \nL4: aload_0 \nL5: invokevirtual Method Page getTotalCount ()I \nL8: if_icmpne L15 \nL11: iconst_0 \nL12: goto L16 \n\n .stack same \nL15: iconst_1 \n\n .stack stack_1 Integer \nL16: ireturn \nL17: \n .linenumbertable \n L0 148 \n .end linenumbertable \n .end code \n.end method \n\n.method public setHasLast : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Page hasLast Z \nL5: return \nL6: \n .linenumbertable \n L0 152 \n L5 153 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Page.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 03:17:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Page_ESTest extends Page_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Page page0 = new Page(0, 0, 1863);\n page0.setTotalCount((-38157));\n boolean boolean0 = page0.isHasLast();\n assertEquals((-38157), page0.getTotalCount());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n page0.setPageSize((-80505));\n int int0 = page0.getTotalPageCount();\n assertEquals((-80505), page0.getPageSize());\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Page page0 = new Page((-46589), (-46589), (-46589));\n page0.setTotalCount(0);\n int int0 = page0.getTotalPageCount();\n assertEquals(0, page0.getTotalCount());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Page page0 = new Page(0, 0, 0);\n int int0 = page0.getTotalCount();\n assertEquals(0, page0.getPageSize());\n assertFalse(page0.isHasNext());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Page page0 = new Page(28742, 28742, 28742);\n int int0 = page0.getTotalCount();\n assertFalse(page0.isHasLast());\n assertEquals(28742, page0.getPageSize());\n assertEquals(28742, int0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Page page0 = new Page((-54891), (-54891), (-54891));\n page0.setPageNow(1);\n int int0 = page0.getStartPos();\n assertFalse(page0.isHasPre());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n page0.setPageNow((-11571));\n int int0 = page0.getStartPos();\n assertEquals((-11571), page0.getPageNow());\n assertEquals(133899612, int0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Page page0 = new Page((-1), (-75985), 0);\n int int0 = page0.getPageSize();\n assertEquals(0, int0);\n assertEquals((-75985), page0.getPageNow());\n assertEquals((-1), page0.getTotalCount());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Page page0 = new Page(1, 1, 1);\n int int0 = page0.getPageSize();\n assertFalse(page0.isHasLast());\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Page page0 = new Page(0, 0, 1863);\n int int0 = page0.getPageNow();\n assertEquals(0, page0.getTotalCount());\n assertEquals(0, int0);\n assertEquals((-1863), page0.getStartPos());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n page0.setPageNow((-11571));\n int int0 = page0.getPageNow();\n assertFalse(page0.isHasNext());\n assertEquals((-11571), int0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Page page0 = new Page((-14702), (-14702), (-14702));\n page0.setPageNow((-53818));\n boolean boolean0 = page0.isHasLast();\n assertEquals((-53818), page0.getPageNow());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n boolean boolean0 = page0.isHasFirst();\n assertEquals((-11571), page0.getTotalCount());\n assertTrue(boolean0);\n assertEquals((-11987556), page0.getStartPos());\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Page page0 = new Page(1, 1, 1);\n boolean boolean0 = page0.isHasFirst();\n assertEquals(1, page0.getPageSize());\n assertFalse(boolean0);\n assertFalse(page0.isHasLast());\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n int int0 = page0.getTotalCount();\n assertEquals((-11571), int0);\n assertEquals((-11987556), page0.getStartPos());\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Page page0 = new Page(16988, (-52789), 0);\n boolean boolean0 = page0.isHasNext();\n assertEquals(0, page0.getStartPos());\n assertEquals((-52789), page0.getPageNow());\n assertEquals(16988, page0.getTotalCount());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Page page0 = new Page(1, 1, 1);\n boolean boolean0 = page0.isHasPre();\n assertFalse(boolean0);\n assertEquals(1, page0.getPageSize());\n assertEquals(1, page0.getTotalCount());\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n boolean boolean0 = page0.isHasPre();\n assertEquals((-11571), page0.getTotalCount());\n assertEquals((-11987556), page0.getStartPos());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n page0.setTotalCount(1037);\n int int0 = page0.getTotalPageCount();\n assertFalse(page0.isHasNext());\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Page page0 = new Page(10237, 10237, (-39058));\n page0.setHasFirst(true);\n assertEquals((-39058), page0.getPageSize());\n assertFalse(page0.isHasLast());\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Page page0 = new Page((-14702), (-14702), (-14702));\n page0.setHasLast(false);\n assertFalse(page0.isHasLast());\n assertEquals((-14702), page0.getPageSize());\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Page page0 = new Page(10237, 10237, (-39058));\n page0.setTotalPageCount((-1281));\n assertEquals((-39058), page0.getPageSize());\n assertFalse(page0.isHasNext());\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Page page0 = new Page((-46589), (-46589), (-46589));\n page0.setHasPre(true);\n assertEquals((-46589), page0.getPageSize());\n assertFalse(page0.isHasNext());\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n page0.setPageNow((-11571));\n boolean boolean0 = page0.isHasLast();\n assertEquals((-11571), page0.getPageNow());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n page0.setHasNext(true);\n assertEquals((-11987556), page0.getStartPos());\n assertEquals((-11571), page0.getTotalCount());\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n Page page0 = new Page((-11571), 1037, (-11571));\n int int0 = page0.getStartPos();\n assertEquals((-11987556), int0);\n assertEquals((-11571), page0.getTotalCount());\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n Page page0 = new Page(10237, 10237, (-39058));\n page0.setStartPos((-57217));\n assertEquals((-399797688), page0.getStartPos());\n assertFalse(page0.isHasLast());\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n Page page0 = new Page((-14702), (-14702), (-14702));\n page0.setTotalCount(71364);\n int int0 = page0.getTotalPageCount();\n assertEquals(71364, page0.getTotalCount());\n assertEquals((-3), int0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n Page page0 = new Page((-14702), (-14702), (-14702));\n int int0 = page0.getPageSize();\n assertEquals((-14702), int0);\n assertFalse(page0.isHasLast());\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n Page page0 = new Page(10237, 10237, (-39058));\n int int0 = page0.getPageNow();\n assertEquals((-39058), page0.getPageSize());\n assertEquals(10237, int0);\n assertFalse(page0.isHasLast());\n }\n\n @Test(timeout = 4000)\n public void test30() throws Throwable {\n Page page0 = new Page(10237, 10237, (-39058));\n boolean boolean0 = page0.isHasNext();\n assertFalse(boolean0);\n assertEquals((-39058), page0.getPageSize());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 03:17:14 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Page_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Page\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1bvkekxz\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Page_ESTest_scaffolding.class.getClassLoader() ,\n \"Page\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Page_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Page\"\n );\n }\n}\n", "class_idx": 68} {"class_name": "FormOrderVo", "java_source": "import java.util.Date;\n\npublic class FormOrderVo {\n\n private String dataId;\n private String title;\n private Date displayName;\n\n public String getDataId() {\n return dataId;\n }\n\n public void setDataId(String dataId) {\n this.dataId = dataId;\n }\n\n public String getTitle() {\n return title;\n }\n\n public void setTitle(String title) {\n this.title = title;\n }\n\n public Date getDisplayName() {\n return displayName;\n }\n\n public void setDisplayName(Date displayName) {\n this.displayName = displayName;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super FormOrderVo \n.super java/lang/Object \n.field private dataId Ljava/lang/String; \n.field private title Ljava/lang/String; \n.field private displayName Ljava/util/Date; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDataId : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field FormOrderVo dataId Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDataId : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field FormOrderVo dataId Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 16 \n L5 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTitle : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field FormOrderVo title Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTitle : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field FormOrderVo title Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 24 \n L5 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDisplayName : ()Ljava/util/Date; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field FormOrderVo displayName Ljava/util/Date; \nL4: areturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDisplayName : (Ljava/util/Date;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field FormOrderVo displayName Ljava/util/Date; \nL5: return \nL6: \n .linenumbertable \n L0 32 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'FormOrderVo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 14:35:55 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.Date;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockDate;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class FormOrderVo_ESTest extends FormOrderVo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n formOrderVo0.setTitle(\".^\");\n String string0 = formOrderVo0.getTitle();\n assertEquals(\".^\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n formOrderVo0.setDataId(\"ipc^{t29HveB3%pS\");\n String string0 = formOrderVo0.getDataId();\n assertEquals(\"ipc^{t29HveB3%pS\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n formOrderVo0.setTitle(\"\");\n String string0 = formOrderVo0.getTitle();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n String string0 = formOrderVo0.getDataId();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n formOrderVo0.setDataId(\"\");\n String string0 = formOrderVo0.getDataId();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n MockDate mockDate0 = new MockDate();\n formOrderVo0.setDisplayName(mockDate0);\n Date date0 = formOrderVo0.getDisplayName();\n assertEquals(\"Fri Feb 14 20:21:21 GMT 2014\", date0.toString());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n Date date0 = formOrderVo0.getDisplayName();\n assertNull(date0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n FormOrderVo formOrderVo0 = new FormOrderVo();\n String string0 = formOrderVo0.getTitle();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 14:35:55 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class FormOrderVo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"FormOrderVo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyualni4b\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FormOrderVo_ESTest_scaffolding.class.getClassLoader() ,\n \"FormOrderVo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FormOrderVo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"FormOrderVo\"\n );\n }\n}\n", "class_idx": 69} {"class_name": "Greeter", "java_source": "/** Created by caio on 1/29/15. */\npublic class Greeter {\n\n public String sayHello() {\n return \"Hello world!\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Greeter \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public sayHello : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: ldc 'Hello world!' \nL2: areturn \nL3: \n .linenumbertable \n L0 10 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Greeter.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 12:36:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Greeter_ESTest extends Greeter_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Greeter greeter0 = new Greeter();\n String string0 = greeter0.sayHello();\n assertEquals(\"Hello world!\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 12:36:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Greeter_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Greeter\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpskgpg88w\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Greeter_ESTest_scaffolding.class.getClassLoader() ,\n \"Greeter\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Greeter_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Greeter\"\n );\n }\n}\n", "class_idx": 70} {"class_name": "MatchesHighlighter", "java_source": "import java.util.Objects;\nimport java.util.Optional;\nimport java.util.regex.Matcher;\nimport java.util.regex.Pattern;\n\npublic class MatchesHighlighter {\n\n // used at highlighting in preview area.\n // Color chosen similar to JTextComponent.getSelectionColor(), which is\n // used at highlighting words at the editor\n public static final String HIGHLIGHT_COLOR = \"#3399FF\";\n\n /**\n * Will return the text that was called by the method with HTML tags to highlight each word the\n * user has searched for and will skip the highlight process if the first Char isn't a letter or a\n * digit.\n *\n *

This check is a quick hack to avoid highlighting of HTML tags It does not always work, but\n * it does its job mostly\n *\n * @param text This is a String in which we search for different words\n * @param wordsToHighlight List of all words which must be highlighted\n * @return String that was called by the method, with HTML Tags if a word was found\n */\n public static String highlightWordsWithHTML(String text, Optional highlightPattern) {\n Objects.requireNonNull(highlightPattern);\n String searchText = Objects.requireNonNull(text);\n\n if (searchText.isEmpty() || !highlightPattern.isPresent()) {\n return searchText;\n }\n\n Matcher matcher = highlightPattern.get().matcher(searchText);\n\n StringBuffer sb = new StringBuffer();\n boolean foundSomething = false;\n\n while (matcher.find()) {\n String found = matcher.group();\n // color the search keyword\n // put first String Part and then html + word + html to a StringBuffer\n matcher.appendReplacement(\n sb, \"\" + found + \"\");\n foundSomething = true;\n }\n\n if (foundSomething) {\n matcher.appendTail(sb);\n searchText = sb.toString();\n }\n\n return searchText;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MatchesHighlighter \n.super java/lang/Object \n.field public static final HIGHLIGHT_COLOR Ljava/lang/String; = '#3399FF' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public static highlightWordsWithHTML : (Ljava/lang/String;Ljava/util/Optional;)Ljava/lang/String; \n .code stack 4 locals 7 \nL0: aload_1 \nL1: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object; \nL4: pop \nL5: aload_0 \nL6: invokestatic Method java/util/Objects requireNonNull (Ljava/lang/Object;)Ljava/lang/Object; \nL9: checkcast java/lang/String \nL12: astore_2 \nL13: aload_2 \nL14: invokevirtual Method java/lang/String isEmpty ()Z \nL17: ifne L27 \nL20: aload_1 \nL21: invokevirtual Method java/util/Optional isPresent ()Z \nL24: ifne L29 \n\n .stack append Object java/lang/String \nL27: aload_2 \nL28: areturn \n\n .stack same \nL29: aload_1 \nL30: invokevirtual Method java/util/Optional get ()Ljava/lang/Object; \nL33: checkcast java/util/regex/Pattern \nL36: aload_2 \nL37: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher; \nL40: astore_3 \nL41: new java/lang/StringBuffer \nL44: dup \nL45: invokespecial Method java/lang/StringBuffer ()V \nL48: astore 4 \nL50: iconst_0 \nL51: istore 5 \n\n .stack append Object java/util/regex/Matcher Object java/lang/StringBuffer Integer \nL53: aload_3 \nL54: invokevirtual Method java/util/regex/Matcher find ()Z \nL57: ifeq L104 \nL60: aload_3 \nL61: invokevirtual Method java/util/regex/Matcher group ()Ljava/lang/String; \nL64: astore 6 \nL66: aload_3 \nL67: aload 4 \nL69: new java/lang/StringBuilder \nL72: dup \nL73: invokespecial Method java/lang/StringBuilder ()V \nL76: ldc '' \nL78: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL81: aload 6 \nL83: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL86: ldc '' \nL88: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL91: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL94: invokevirtual Method java/util/regex/Matcher appendReplacement (Ljava/lang/StringBuffer;Ljava/lang/String;)Ljava/util/regex/Matcher; \nL97: pop \nL98: iconst_1 \nL99: istore 5 \nL101: goto L53 \n\n .stack same \nL104: iload 5 \nL106: ifeq L122 \nL109: aload_3 \nL110: aload 4 \nL112: invokevirtual Method java/util/regex/Matcher appendTail (Ljava/lang/StringBuffer;)Ljava/lang/StringBuffer; \nL115: pop \nL116: aload 4 \nL118: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; \nL121: astore_2 \n\n .stack same \nL122: aload_2 \nL123: areturn \nL124: \n .linenumbertable \n L0 26 \n L5 27 \n L13 30 \n L27 31 \n L29 34 \n L41 36 \n L50 37 \n L53 39 \n L60 40 \n L66 43 \n L98 44 \n L101 45 \n L104 47 \n L109 48 \n L116 49 \n L122 52 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;Ljava/util/Optional;)Ljava/lang/String; \n.end method \n.sourcefile 'MatchesHighlighter.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 02:38:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.Optional;\nimport java.util.regex.Pattern;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MatchesHighlighter_ESTest extends MatchesHighlighter_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Pattern pattern0 = Pattern.compile(\"\");\n Optional optional0 = Optional.ofNullable(pattern0);\n String string0 = MatchesHighlighter.highlightWordsWithHTML(\"\", optional0);\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Optional optional0 = Optional.empty();\n String string0 = MatchesHighlighter.highlightWordsWithHTML(\"#3399FF\", optional0);\n assertEquals(\"#3399FF\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Pattern pattern0 = Pattern.compile(\"\");\n Optional optional0 = Optional.ofNullable(pattern0);\n String string0 = MatchesHighlighter.highlightWordsWithHTML(\",\", optional0);\n assertEquals(\",\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Pattern pattern0 = Pattern.compile(\"\");\n Optional optional0 = Optional.ofNullable(pattern0);\n String string0 = MatchesHighlighter.highlightWordsWithHTML(\"\", optional0);\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n MatchesHighlighter matchesHighlighter0 = new MatchesHighlighter();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 02:38:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MatchesHighlighter_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MatchesHighlighter\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkcmy3mcl\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MatchesHighlighter_ESTest_scaffolding.class.getClassLoader() ,\n \"MatchesHighlighter\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MatchesHighlighter_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MatchesHighlighter\"\n );\n }\n}\n", "class_idx": 71} {"class_name": "SupplierData", "java_source": "/*-\n * See the file LICENSE for redistribution information.\n *\n * Copyright (c) 2002-2010 Oracle. All rights reserved.\n *\n * $Id: SupplierData.java,v 1.18 2010/01/04 15:50:34 cwl Exp $\n */\n\nimport java.io.Serializable;\n\n/**\n * A SupplierData serves as the value in the key/value pair for a supplier entity.\n *\n *

In this sample, SupplierData is used only as the storage data for the value, while the\n * Supplier object is used as the value's object representation. Because it is used directly as\n * storage data using serial format, it must be Serializable.\n *\n * @author Mark Hayes\n */\npublic class SupplierData implements Serializable {\n\n private String name;\n private int status;\n private String city;\n\n public SupplierData(String name, int status, String city) {\n\n this.name = name;\n this.status = status;\n this.city = city;\n }\n\n public final String getName() {\n\n return name;\n }\n\n public final int getStatus() {\n\n return status;\n }\n\n public final String getCity() {\n\n return city;\n }\n\n public String toString() {\n\n return \"[SupplierData: name=\" + name + \" status=\" + status + \" city=\" + city + ']';\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SupplierData \n.super java/lang/Object \n.implements java/io/Serializable \n.field private name Ljava/lang/String; \n.field private status I \n.field private city Ljava/lang/String; \n\n.method public : (Ljava/lang/String;ILjava/lang/String;)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field SupplierData name Ljava/lang/String; \nL9: aload_0 \nL10: iload_2 \nL11: putfield Field SupplierData status I \nL14: aload_0 \nL15: aload_3 \nL16: putfield Field SupplierData city Ljava/lang/String; \nL19: return \nL20: \n .linenumbertable \n L0 30 \n L4 32 \n L9 33 \n L14 34 \n L19 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public final getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SupplierData name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public final getStatus : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SupplierData status I \nL4: ireturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public final getCity : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SupplierData city Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc '[SupplierData: name=' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field SupplierData name Ljava/lang/String; \nL16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL19: ldc ' status=' \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL24: aload_0 \nL25: getfield Field SupplierData status I \nL28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL31: ldc ' city=' \nL33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL36: aload_0 \nL37: getfield Field SupplierData city Ljava/lang/String; \nL40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL43: bipush 93 \nL45: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL48: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL51: areturn \nL52: \n .linenumbertable \n L0 54 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SupplierData.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 17:42:08 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SupplierData_ESTest extends SupplierData_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SupplierData supplierData0 = new SupplierData(\"hOF*0ts>P[?+#\", 0, \"\");\n int int0 = supplierData0.getStatus();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SupplierData supplierData0 = new SupplierData(\"\", (-1), \"VZ1N-a01<.3x;P hW\");\n int int0 = supplierData0.getStatus();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SupplierData supplierData0 = new SupplierData(\"wctXiI]Ak#vnRv0>\", 0, \"wctXiI]Ak#vnRv0>\");\n supplierData0.getName();\n assertEquals(0, supplierData0.getStatus());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n SupplierData supplierData0 = new SupplierData(\"\", 0, \"\");\n supplierData0.getName();\n assertEquals(0, supplierData0.getStatus());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n SupplierData supplierData0 = new SupplierData(\"\", 41129, \"g\\\"+\\\"KMUv,5e\");\n supplierData0.getCity();\n assertEquals(41129, supplierData0.getStatus());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n SupplierData supplierData0 = new SupplierData(\"\", 18971, \"\");\n supplierData0.getCity();\n assertEquals(18971, supplierData0.getStatus());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null);\n supplierData0.getCity();\n assertEquals(1, supplierData0.getStatus());\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null);\n String string0 = supplierData0.toString();\n assertEquals(\"[SupplierData: name=null status=1 city=null]\", string0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null);\n supplierData0.getName();\n assertEquals(1, supplierData0.getStatus());\n }\n\n @Test(timeout = 4000)\n public void test9() throws Throwable {\n SupplierData supplierData0 = new SupplierData((String) null, 1, (String) null);\n int int0 = supplierData0.getStatus();\n assertEquals(1, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 17:42:08 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SupplierData_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SupplierData\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6ajv06t1\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SupplierData_ESTest_scaffolding.class.getClassLoader() ,\n \"SupplierData\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SupplierData_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SupplierData\"\n );\n }\n}\n", "class_idx": 72} {"class_name": "HeaderResponseFloatHeaders", "java_source": "/**\n * Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT License. See\n * License.txt in the project root for license information.\n *\n *

Code generated by Microsoft (R) AutoRest Code Generator. Changes may cause incorrect behavior\n * and will be lost if the code is regenerated.\n */\n\n/** Defines headers for responseFloat operation. */\npublic class HeaderResponseFloatHeaders {\n /** response with header value \"value\": 0.07 or -3.0. */\n private Double value;\n\n /**\n * Get the value value.\n *\n * @return the value value\n */\n public Double getValue() {\n return this.value;\n }\n\n /**\n * Set the value value.\n *\n * @param value the value value to set\n */\n public void setValue(Double value) {\n this.value = value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super HeaderResponseFloatHeaders \n.super java/lang/Object \n.field private value Ljava/lang/Double; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public getValue : ()Ljava/lang/Double; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HeaderResponseFloatHeaders value Ljava/lang/Double; \nL4: areturn \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public setValue : (Ljava/lang/Double;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field HeaderResponseFloatHeaders value Ljava/lang/Double; \nL5: return \nL6: \n .linenumbertable \n L0 38 \n L5 39 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'HeaderResponseFloatHeaders.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:22:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HeaderResponseFloatHeaders_ESTest extends HeaderResponseFloatHeaders_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders();\n Double double0 = new Double(16566.288202749438);\n headerResponseFloatHeaders0.setValue(double0);\n Double double1 = headerResponseFloatHeaders0.getValue();\n assertEquals(16566.288202749438, (double)double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders();\n Double double0 = new Double(0.0);\n headerResponseFloatHeaders0.setValue(double0);\n Double double1 = headerResponseFloatHeaders0.getValue();\n assertEquals(0.0, (double)double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders();\n Double double0 = new Double((-34205.5));\n headerResponseFloatHeaders0.setValue(double0);\n Double double1 = headerResponseFloatHeaders0.getValue();\n assertEquals((-34205.5), (double)double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders();\n Double double0 = new Double((-26925.3364540385));\n headerResponseFloatHeaders0.setValue(double0);\n Double double1 = headerResponseFloatHeaders0.getValue();\n assertEquals((-26925.3364540385), (double)double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n HeaderResponseFloatHeaders headerResponseFloatHeaders0 = new HeaderResponseFloatHeaders();\n Double double0 = headerResponseFloatHeaders0.getValue();\n assertNull(double0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 22:22:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HeaderResponseFloatHeaders_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HeaderResponseFloatHeaders\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpo1lvtqvh\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HeaderResponseFloatHeaders_ESTest_scaffolding.class.getClassLoader() ,\n \"HeaderResponseFloatHeaders\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HeaderResponseFloatHeaders_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HeaderResponseFloatHeaders\"\n );\n }\n}\n", "class_idx": 73} {"class_name": "BankAccount", "java_source": "/**\n * Class BankAccount.\n *\n * @author Alexander Ivanov\n * @version 1.0\n * @since 03.05.2017\n */\npublic class BankAccount {\n /** Account of client. */\n private int account = 0;\n\n /**\n * Deposit money to account.\n *\n * @param money for deposit.\n */\n private void deposit(int money) {\n this.account += money;\n }\n\n /** Deposit to account n-times. */\n public void multiDeposit() {\n for (int i = 0; i < 100_000; i++) {\n this.deposit(1);\n }\n }\n\n /**\n * Withdraw money from account.\n *\n * @param money for withdraw.\n */\n public void withdraw(int money) {\n this.account -= money;\n }\n\n /** Withdraw from account n-times. */\n public void multiWithdraw() {\n for (int i = 0; i < 100_000; i++) {\n withdraw(1);\n }\n }\n\n /**\n * Account getter.\n *\n * @return account.\n */\n public int getAccount() {\n return account;\n }\n\n /**\n * Main method. This method shows multithreading problems.\n *\n * @param args from cmd-line.\n */\n public static void main(String[] args) {\n BankAccount bankAccount = new BankAccount();\n\n Thread depositThread =\n new Thread(\n new Runnable() {\n @Override\n public void run() {\n bankAccount.multiDeposit();\n }\n });\n\n Thread withdrawThread =\n new Thread(\n new Runnable() {\n @Override\n public void run() {\n bankAccount.multiWithdraw();\n }\n });\n Thread depositThread2 =\n new Thread(\n new Runnable() {\n @Override\n public void run() {\n bankAccount.multiDeposit();\n }\n });\n\n Thread withdrawThread2 =\n new Thread(\n new Runnable() {\n @Override\n public void run() {\n bankAccount.multiWithdraw();\n }\n });\n depositThread.start();\n withdrawThread.start();\n depositThread2.start();\n withdrawThread2.start();\n try {\n depositThread.join();\n withdrawThread.join();\n depositThread2.join();\n withdrawThread2.join();\n } catch (InterruptedException e) {\n e.printStackTrace();\n }\n System.out.println(bankAccount.getAccount());\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BankAccount \n.super java/lang/Object \n.field private account I \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field BankAccount account I \nL9: return \nL10: \n .linenumbertable \n L0 10 \n L4 14 \n .end linenumbertable \n .end code \n.end method \n\n.method private deposit : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: dup \nL2: getfield Field BankAccount account I \nL5: iload_1 \nL6: iadd \nL7: putfield Field BankAccount account I \nL10: return \nL11: \n .linenumbertable \n L0 21 \n L10 22 \n .end linenumbertable \n .end code \n.end method \n\n.method public multiDeposit : ()V \n .code stack 2 locals 2 \nL0: iconst_0 \nL1: istore_1 \n\n .stack append Integer \nL2: iload_1 \nL3: ldc 100000 \nL5: if_icmpge L19 \nL8: aload_0 \nL9: iconst_1 \nL10: invokespecial Method BankAccount deposit (I)V \nL13: iinc 1 1 \nL16: goto L2 \n\n .stack chop 1 \nL19: return \nL20: \n .linenumbertable \n L0 28 \n L8 29 \n L13 28 \n L19 31 \n .end linenumbertable \n .end code \n.end method \n\n.method public withdraw : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: dup \nL2: getfield Field BankAccount account I \nL5: iload_1 \nL6: isub \nL7: putfield Field BankAccount account I \nL10: return \nL11: \n .linenumbertable \n L0 38 \n L10 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public multiWithdraw : ()V \n .code stack 2 locals 2 \nL0: iconst_0 \nL1: istore_1 \n\n .stack append Integer \nL2: iload_1 \nL3: ldc 100000 \nL5: if_icmpge L19 \nL8: aload_0 \nL9: iconst_1 \nL10: invokevirtual Method BankAccount withdraw (I)V \nL13: iinc 1 1 \nL16: goto L2 \n\n .stack chop 1 \nL19: return \nL20: \n .linenumbertable \n L0 45 \n L8 46 \n L13 45 \n L19 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAccount : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field BankAccount account I \nL4: ireturn \nL5: \n .linenumbertable \n L0 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 5 locals 7 \nL0: new BankAccount \nL3: dup \nL4: invokespecial Method BankAccount ()V \nL7: astore_1 \nL8: new java/lang/Thread \nL11: dup \nL12: new BankAccount$1 \nL15: dup \nL16: aload_1 \nL17: invokespecial Method BankAccount$1 (LBankAccount;)V \nL20: invokespecial Method java/lang/Thread (Ljava/lang/Runnable;)V \nL23: astore_2 \nL24: new java/lang/Thread \nL27: dup \nL28: new BankAccount$2 \nL31: dup \nL32: aload_1 \nL33: invokespecial Method BankAccount$2 (LBankAccount;)V \nL36: invokespecial Method java/lang/Thread (Ljava/lang/Runnable;)V \nL39: astore_3 \nL40: new java/lang/Thread \nL43: dup \nL44: new BankAccount$3 \nL47: dup \nL48: aload_1 \nL49: invokespecial Method BankAccount$3 (LBankAccount;)V \nL52: invokespecial Method java/lang/Thread (Ljava/lang/Runnable;)V \nL55: astore 4 \nL57: new java/lang/Thread \nL60: dup \nL61: new BankAccount$4 \nL64: dup \nL65: aload_1 \nL66: invokespecial Method BankAccount$4 (LBankAccount;)V \nL69: invokespecial Method java/lang/Thread (Ljava/lang/Runnable;)V \nL72: astore 5 \nL74: aload_2 \nL75: invokevirtual Method java/lang/Thread start ()V \nL78: aload_3 \nL79: invokevirtual Method java/lang/Thread start ()V \nL82: aload 4 \nL84: invokevirtual Method java/lang/Thread start ()V \nL87: aload 5 \nL89: invokevirtual Method java/lang/Thread start ()V \n .catch java/lang/InterruptedException from L92 to L110 using L113 \nL92: aload_2 \nL93: invokevirtual Method java/lang/Thread join ()V \nL96: aload_3 \nL97: invokevirtual Method java/lang/Thread join ()V \nL100: aload 4 \nL102: invokevirtual Method java/lang/Thread join ()V \nL105: aload 5 \nL107: invokevirtual Method java/lang/Thread join ()V \nL110: goto L120 \n\n .stack full \n locals Object [Ljava/lang/String; Object BankAccount Object java/lang/Thread Object java/lang/Thread Object java/lang/Thread Object java/lang/Thread \n stack Object java/lang/InterruptedException \n .end stack \nL113: astore 6 \nL115: aload 6 \nL117: invokevirtual Method java/lang/InterruptedException printStackTrace ()V \n\n .stack same \nL120: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL123: aload_1 \nL124: invokevirtual Method BankAccount getAccount ()I \nL127: invokevirtual Method java/io/PrintStream println (I)V \nL130: return \nL131: \n .linenumbertable \n L0 64 \n L8 66 \n L24 73 \n L40 79 \n L57 86 \n L74 92 \n L78 93 \n L82 94 \n L87 95 \n L92 97 \n L96 98 \n L100 99 \n L105 100 \n L110 103 \n L113 101 \n L115 102 \n L120 104 \n L130 105 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BankAccount.java' \n.innerclasses \n BankAccount$4 [0] [0] static \n BankAccount$3 [0] [0] static \n BankAccount$2 [0] [0] static \n BankAccount$1 [0] [0] static \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 17:34:25 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BankAccount_ESTest extends BankAccount_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BankAccount bankAccount0 = new BankAccount();\n assertEquals(0, bankAccount0.getAccount());\n \n bankAccount0.getAccount();\n // Undeclared exception!\n bankAccount0.multiDeposit();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[8];\n stringArray0[0] = \"\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"\";\n stringArray0[4] = \"[RO\";\n stringArray0[5] = \"pjE-~! D0F{Co$!Tj-\";\n stringArray0[6] = \"\";\n stringArray0[7] = \"6}\";\n // Undeclared exception!\n try { \n BankAccount.main(stringArray0);\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // BankAccount$1\n //\n verifyException(\"BankAccount\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n // Undeclared exception!\n try { \n BankAccount.main((String[]) null);\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // BankAccount$1\n //\n verifyException(\"BankAccount\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n BankAccount bankAccount0 = new BankAccount();\n // Undeclared exception!\n bankAccount0.multiDeposit();\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n String[] stringArray0 = new String[8];\n stringArray0[0] = \"\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"`mue9]*:U\";\n stringArray0[3] = \"\";\n stringArray0[4] = \"uwK<.RxGMRF_kL9W\u007f~X\";\n stringArray0[5] = \"-p\";\n stringArray0[6] = \"j`+lfMazV6RcJ,g$cH1\";\n stringArray0[7] = \"\";\n // Undeclared exception!\n try { \n BankAccount.main(stringArray0);\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // BankAccount$1\n //\n verifyException(\"BankAccount\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n String[] stringArray0 = new String[3];\n stringArray0[0] = \"t5s\";\n stringArray0[1] = \"/;&\\\"Uc.g\";\n stringArray0[2] = \"5s~KJWYgD\";\n // Undeclared exception!\n try { \n BankAccount.main(stringArray0);\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // BankAccount$1\n //\n verifyException(\"BankAccount\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n BankAccount bankAccount0 = new BankAccount();\n // Undeclared exception!\n bankAccount0.multiWithdraw();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 17:34:25 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BankAccount_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BankAccount\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpglzynia1\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BankAccount_ESTest_scaffolding.class.getClassLoader() ,\n \"BankAccount\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BankAccount_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BankAccount\"\n );\n }\n}\n", "class_idx": 74} {"class_name": "PersonName", "java_source": "/*\n * Hibernate, Relational Persistence for Idiomatic Java\n *\n * Copyright (c) 2010, Red Hat Middleware LLC or third-party contributors as\n * indicated by the @author tags or express copyright attribution\n * statements applied by the authors. All third-party contributions are\n * distributed under license by Red Hat Middleware LLC.\n *\n * This copyrighted material is made available to anyone wishing to use, modify,\n * copy, or redistribute it subject to the terms and conditions of the GNU\n * Lesser General Public License, as published by the Free Software Foundation.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY\n * or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License\n * for more details.\n *\n * You should have received a copy of the GNU Lesser General Public License\n * along with this distribution; if not, write to:\n * Free Software Foundation, Inc.\n * 51 Franklin Street, Fifth Floor\n * Boston, MA 02110-1301 USA\n *\n */\n\n/**\n * @author Gail Badner\n */\npublic class PersonName {\n private String first;\n private String middle;\n private String last;\n\n public PersonName() {}\n\n public PersonName(String first, String middle, String state) {\n this.first = first;\n this.middle = middle;\n this.last = state;\n }\n\n public String getFirst() {\n return first;\n }\n\n public void setFirst(String first) {\n this.first = first;\n }\n\n public String getMiddle() {\n return middle;\n }\n\n public void setMiddle(String middle) {\n this.middle = middle;\n }\n\n public String getLast() {\n return last;\n }\n\n public void setLast(String last) {\n this.last = last;\n }\n\n public boolean equals(Object o) {\n if (this == o) {\n return true;\n }\n if (o == null || getClass() != o.getClass()) {\n return false;\n }\n\n PersonName name = (PersonName) o;\n\n if (first != null ? !first.equals(name.first) : name.first != null) {\n return false;\n }\n if (middle != null ? !middle.equals(name.middle) : name.middle != null) {\n return false;\n }\n if (last != null ? !last.equals(name.last) : name.last != null) {\n return false;\n }\n\n return true;\n }\n\n public int hashCode() {\n int result = first != null ? first.hashCode() : 0;\n result = 31 * result + (last != null ? last.hashCode() : 0);\n return result;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PersonName \n.super java/lang/Object \n.field private first Ljava/lang/String; \n.field private middle Ljava/lang/String; \n.field private last Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field PersonName first Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field PersonName middle Ljava/lang/String; \nL14: aload_0 \nL15: aload_3 \nL16: putfield Field PersonName last Ljava/lang/String; \nL19: return \nL20: \n .linenumbertable \n L0 39 \n L4 40 \n L9 41 \n L14 42 \n L19 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFirst : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PersonName first Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public setFirst : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PersonName first Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 50 \n L5 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMiddle : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PersonName middle Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public setMiddle : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PersonName middle Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 58 \n L5 59 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLast : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PersonName last Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 62 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLast : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PersonName last Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 66 \n L5 67 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnull L22 \nL11: aload_0 \nL12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL15: aload_1 \nL16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL19: if_acmpeq L24 \n\n .stack same \nL22: iconst_0 \nL23: ireturn \n\n .stack same \nL24: aload_1 \nL25: checkcast PersonName \nL28: astore_2 \nL29: aload_0 \nL30: getfield Field PersonName first Ljava/lang/String; \nL33: ifnull L53 \nL36: aload_0 \nL37: getfield Field PersonName first Ljava/lang/String; \nL40: aload_2 \nL41: getfield Field PersonName first Ljava/lang/String; \nL44: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL47: ifne L62 \nL50: goto L60 \n\n .stack append Object PersonName \nL53: aload_2 \nL54: getfield Field PersonName first Ljava/lang/String; \nL57: ifnull L62 \n\n .stack same \nL60: iconst_0 \nL61: ireturn \n\n .stack same \nL62: aload_0 \nL63: getfield Field PersonName middle Ljava/lang/String; \nL66: ifnull L86 \nL69: aload_0 \nL70: getfield Field PersonName middle Ljava/lang/String; \nL73: aload_2 \nL74: getfield Field PersonName middle Ljava/lang/String; \nL77: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL80: ifne L95 \nL83: goto L93 \n\n .stack same \nL86: aload_2 \nL87: getfield Field PersonName middle Ljava/lang/String; \nL90: ifnull L95 \n\n .stack same \nL93: iconst_0 \nL94: ireturn \n\n .stack same \nL95: aload_0 \nL96: getfield Field PersonName last Ljava/lang/String; \nL99: ifnull L119 \nL102: aload_0 \nL103: getfield Field PersonName last Ljava/lang/String; \nL106: aload_2 \nL107: getfield Field PersonName last Ljava/lang/String; \nL110: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL113: ifne L128 \nL116: goto L126 \n\n .stack same \nL119: aload_2 \nL120: getfield Field PersonName last Ljava/lang/String; \nL123: ifnull L128 \n\n .stack same \nL126: iconst_0 \nL127: ireturn \n\n .stack same \nL128: iconst_1 \nL129: ireturn \nL130: \n .linenumbertable \n L0 70 \n L5 71 \n L7 73 \n L22 74 \n L24 77 \n L29 79 \n L60 80 \n L62 82 \n L93 83 \n L95 85 \n L126 86 \n L128 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field PersonName first Ljava/lang/String; \nL4: ifnull L17 \nL7: aload_0 \nL8: getfield Field PersonName first Ljava/lang/String; \nL11: invokevirtual Method java/lang/String hashCode ()I \nL14: goto L18 \n\n .stack same \nL17: iconst_0 \n\n .stack stack_1 Integer \nL18: istore_1 \nL19: bipush 31 \nL21: iload_1 \nL22: imul \nL23: aload_0 \nL24: getfield Field PersonName last Ljava/lang/String; \nL27: ifnull L40 \nL30: aload_0 \nL31: getfield Field PersonName last Ljava/lang/String; \nL34: invokevirtual Method java/lang/String hashCode ()I \nL37: goto L41 \n\n .stack full \n locals Object PersonName Integer \n stack Integer \n .end stack \nL40: iconst_0 \n\n .stack full \n locals Object PersonName Integer \n stack Integer Integer \n .end stack \nL41: iadd \nL42: istore_1 \nL43: iload_1 \nL44: ireturn \nL45: \n .linenumbertable \n L0 93 \n L19 94 \n L43 95 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PersonName.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 15:58:01 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PersonName_ESTest extends PersonName_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n PersonName personName0 = new PersonName();\n String string0 = personName0.getMiddle();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n PersonName personName0 = new PersonName(\";&t yB<[&TK2=!Vr\", \"\", \"}?;R6@Ht-EPH=?{gP\");\n personName0.setMiddle(\"}?;R6@Ht-EPH=?{gP\");\n String string0 = personName0.getMiddle();\n assertEquals(\"}?;R6@Ht-EPH=?{gP\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n PersonName personName0 = new PersonName();\n String string0 = personName0.getLast();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n PersonName personName0 = new PersonName((String) null, (String) null, (String) null);\n personName0.setLast(\"\");\n String string0 = personName0.getLast();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n PersonName personName0 = new PersonName((String) null, (String) null, (String) null);\n String string0 = personName0.getFirst();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n PersonName personName0 = new PersonName();\n personName0.setFirst(\"\");\n String string0 = personName0.getFirst();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n PersonName personName0 = new PersonName();\n personName0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n PersonName personName0 = new PersonName(\";&t yB<[&TK2=!Vr\", \"\", \"}?;R6@Ht-EPH=?{gP\");\n personName0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n PersonName personName0 = new PersonName();\n PersonName personName1 = new PersonName();\n boolean boolean0 = personName0.equals(personName1);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n PersonName personName0 = new PersonName();\n personName0.setMiddle(\"a?2\");\n personName0.setFirst(\"a?2\");\n personName0.setLast(\"a?2\");\n PersonName personName1 = new PersonName(\"a?2\", \"=UKxt5vwe$mKMHC<\", \"=UKxt5vwe$mKMHC<\");\n personName1.setMiddle(\"a?2\");\n boolean boolean0 = personName0.equals(personName1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n PersonName personName0 = new PersonName();\n personName0.setMiddle(\"a?2\");\n personName0.setFirst(\"a?2\");\n personName0.setLast(\"a?2\");\n PersonName personName1 = new PersonName(\"a?2\", \"a?2\", \"a?2\");\n boolean boolean0 = personName0.equals(personName1);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n PersonName personName0 = new PersonName();\n personName0.setMiddle(\"\");\n PersonName personName1 = new PersonName((String) null, \"RL52/0O=b+l|$\", (String) null);\n boolean boolean0 = personName0.equals(personName1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n PersonName personName0 = new PersonName();\n personName0.setMiddle(\"a?2\");\n personName0.setFirst(\"a?2\");\n PersonName personName1 = new PersonName(\"a?2\", \"a?2\", \"a?2\");\n boolean boolean0 = personName0.equals(personName1);\n assertFalse(boolean0);\n assertFalse(personName1.equals((Object)personName0));\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n PersonName personName0 = new PersonName(\"P6 fPuZ!Jt\", \"P6 fPuZ!Jt\", \"P6 fPuZ!Jt\");\n PersonName personName1 = new PersonName(\",Z2\\u0001DX/\\\"Zfd:C@_/K\", \"-qvcB3H\u007fFy8Q\", (String) null);\n boolean boolean0 = personName0.equals(personName1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n PersonName personName0 = new PersonName();\n personName0.setFirst(\"a?2\");\n PersonName personName1 = new PersonName(\"a?2\", \"a?2\", \"a?2\");\n boolean boolean0 = personName0.equals(personName1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n PersonName personName0 = new PersonName();\n PersonName personName1 = new PersonName(\"a?2\", \"a?2\", \"a?2\");\n boolean boolean0 = personName0.equals(personName1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n PersonName personName0 = new PersonName();\n boolean boolean0 = personName0.equals((Object) null);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n PersonName personName0 = new PersonName();\n boolean boolean0 = personName0.equals(personName0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n PersonName personName0 = new PersonName(\"?JO{jDokv#9%)\", \"?JO{jDokv#9%)\", \"?JO{jDokv#9%)\");\n String string0 = personName0.getLast();\n assertEquals(\"?JO{jDokv#9%)\", string0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n PersonName personName0 = new PersonName(\";&t yB<[&TK2=!Vr\", \"\", \"}?;R6@Ht-EPH=?{gP\");\n String string0 = personName0.getMiddle();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n PersonName personName0 = new PersonName();\n Object object0 = new Object();\n boolean boolean0 = personName0.equals(object0);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n PersonName personName0 = new PersonName(\"?JO{jDokv#9%)\", \"?JO{jDokv#9%)\", \"?JO{jDokv#9%)\");\n String string0 = personName0.getFirst();\n assertEquals(\"?JO{jDokv#9%)\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 15:58:01 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PersonName_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PersonName\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp_6o1447s\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PersonName_ESTest_scaffolding.class.getClassLoader() ,\n \"PersonName\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PersonName_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PersonName\"\n );\n }\n}\n", "class_idx": 75} {"class_name": "Utils", "java_source": "/*\n * Copyright (C) 2015 L5M\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU General Public License as published by\n * the Free Software Foundation, either version 3 of the License, or\n * (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * You should have received a copy of the GNU General Public License\n * along with this program. If not, see .\n */\n\n/**\n * @author L5M\n */\npublic class Utils {\n\n public static final int length(java.util.Collection cll) {\n return cll == null ? 0 : cll.size();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Utils \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final length : (Ljava/util/Collection;)I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: ifnonnull L8 \nL4: iconst_0 \nL5: goto L14 \n\n .stack same \nL8: aload_0 \nL9: invokeinterface InterfaceMethod java/util/Collection size ()I 1 \n\n .stack stack_1 Integer \nL14: ireturn \nL15: \n .linenumbertable \n L0 26 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Collection<*>;)I \n.end method \n.sourcefile 'Utils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 14:37:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.Collection;\nimport java.util.LinkedList;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Utils_ESTest extends Utils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n linkedList0.add((Object) null);\n int int0 = Utils.length(linkedList0);\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n int int0 = Utils.length((Collection) null);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Utils utils0 = new Utils();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 14:37:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Utils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Utils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpx21ncm3y\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Utils_ESTest_scaffolding.class.getClassLoader() ,\n \"Utils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Utils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Utils\"\n );\n }\n}\n", "class_idx": 76} {"class_name": "FailingConstructors", "java_source": "/*\n * Copyright (c) 2011, 2017, Oracle and/or its affiliates. All rights reserved.\n * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.\n *\n * This code is free software; you can redistribute it and/or modify it\n * under the terms of the GNU General Public License version 2 only, as\n * published by the Free Software Foundation.\n *\n * This code is distributed in the hope that it will be useful, but WITHOUT\n * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or\n * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License\n * version 2 for more details (a copy is included in the LICENSE file that\n * accompanied this code).\n *\n * You should have received a copy of the GNU General Public License version\n * 2 along with this work; if not, write to the Free Software Foundation,\n * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.\n *\n * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA\n * or visit www.oracle.com if you need additional information or have any\n * questions.\n */\n\n/**\n * @test\n * @bug 7000511 8190577\n * @summary PrintStream, PrintWriter, Formatter, Scanner leave files open when exception thrown\n */\nimport java.io.File;\nimport java.io.FileInputStream;\nimport java.io.FileNotFoundException;\nimport java.io.IOException;\nimport java.io.PrintStream;\nimport java.io.UnsupportedEncodingException;\nimport java.nio.file.Files;\nimport java.nio.file.Path;\n\npublic class FailingConstructors {\n static final String fileName = \"FailingConstructorsTest\";\n static final String UNSUPPORTED_CHARSET = \"unknownCharset\";\n static final String FILE_CONTENTS = \"This is a small file!\";\n\n private static void realMain(String[] args) throws Throwable {\n test(false, new File(fileName));\n\n /* create the file and write its contents */\n Path path = Files.createTempFile(fileName, null);\n try {\n Files.write(path, FILE_CONTENTS.getBytes());\n test(true, path.toFile());\n } finally {\n Files.delete(path);\n }\n }\n\n private static void test(boolean exists, File file) throws Throwable {\n /* PrintStream(File file, String csn) */\n try {\n new PrintStream(file, UNSUPPORTED_CHARSET);\n fail();\n } catch (FileNotFoundException | UnsupportedEncodingException e) {\n pass();\n }\n\n check(exists, file);\n\n try {\n new PrintStream(file, (String) null);\n fail();\n } catch (FileNotFoundException | NullPointerException e) {\n pass();\n }\n\n check(exists, file);\n\n /* PrintStream(String fileName, String csn) */\n try {\n new PrintStream(file.getName(), UNSUPPORTED_CHARSET);\n fail();\n } catch (FileNotFoundException | UnsupportedEncodingException e) {\n pass();\n }\n\n check(exists, file);\n\n try {\n new PrintStream(file.getName(), (String) null);\n fail();\n } catch (FileNotFoundException | NullPointerException e) {\n pass();\n }\n\n check(exists, file);\n }\n\n private static void check(boolean exists, File file) {\n if (exists) {\n /* the file should be unchanged */\n verifyContents(file);\n } else {\n /* the file should not have been created */\n if (file.exists()) {\n fail(file + \" should not have been created\");\n }\n }\n }\n\n private static void verifyContents(File file) {\n try (FileInputStream fis = new FileInputStream(file)) {\n byte[] contents = FILE_CONTENTS.getBytes();\n int read, count = 0;\n while ((read = fis.read()) != -1) {\n if (read != contents[count++]) {\n fail(\"file contents have been altered\");\n return;\n }\n }\n } catch (IOException ioe) {\n unexpected(ioe);\n }\n }\n\n // --------------------- Infrastructure ---------------------------\n static volatile int passed = 0, failed = 0;\n\n static void pass() {\n passed++;\n }\n\n static void fail() {\n failed++;\n Thread.dumpStack();\n }\n\n static void fail(String message) {\n System.out.println(message);\n fail();\n }\n\n static void unexpected(Throwable t) {\n failed++;\n t.printStackTrace();\n }\n\n public static void main(String[] args) throws Throwable {\n try {\n realMain(args);\n } catch (Throwable t) {\n unexpected(t);\n }\n System.out.printf(\"%nPassed = %d, failed = %d%n%n\", passed, failed);\n if (failed > 0) throw new AssertionError(\"Some tests failed\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super FailingConstructors \n.super java/lang/Object \n.field static final fileName Ljava/lang/String; = 'FailingConstructorsTest' \n.field static final UNSUPPORTED_CHARSET Ljava/lang/String; = 'unknownCharset' \n.field static final FILE_CONTENTS Ljava/lang/String; = 'This is a small file!' \n.field static volatile passed I \n.field static volatile failed I \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 41 \n .end linenumbertable \n .end code \n.end method \n\n.method private static realMain : ([Ljava/lang/String;)V \n .code stack 4 locals 3 \nL0: iconst_0 \nL1: new java/io/File \nL4: dup \nL5: ldc 'FailingConstructorsTest' \nL7: invokespecial Method java/io/File (Ljava/lang/String;)V \nL10: invokestatic Method FailingConstructors test (ZLjava/io/File;)V \nL13: ldc 'FailingConstructorsTest' \nL15: aconst_null \nL16: iconst_0 \nL17: anewarray java/nio/file/attribute/FileAttribute \nL20: invokestatic Method java/nio/file/Files createTempFile (Ljava/lang/String;Ljava/lang/String;[Ljava/nio/file/attribute/FileAttribute;)Ljava/nio/file/Path; \nL23: astore_1 \n .catch [0] from L24 to L48 using L55 \nL24: aload_1 \nL25: ldc 'This is a small file!' \nL27: invokevirtual Method java/lang/String getBytes ()[B \nL30: iconst_0 \nL31: anewarray java/nio/file/OpenOption \nL34: invokestatic Method java/nio/file/Files write (Ljava/nio/file/Path;[B[Ljava/nio/file/OpenOption;)Ljava/nio/file/Path; \nL37: pop \nL38: iconst_1 \nL39: aload_1 \nL40: invokeinterface InterfaceMethod java/nio/file/Path toFile ()Ljava/io/File; 1 \nL45: invokestatic Method FailingConstructors test (ZLjava/io/File;)V \nL48: aload_1 \nL49: invokestatic Method java/nio/file/Files delete (Ljava/nio/file/Path;)V \nL52: goto L62 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/nio/file/Path \n stack Object java/lang/Throwable \n .end stack \nL55: astore_2 \nL56: aload_1 \nL57: invokestatic Method java/nio/file/Files delete (Ljava/nio/file/Path;)V \nL60: aload_2 \nL61: athrow \n\n .stack same \nL62: return \nL63: \n .linenumbertable \n L0 47 \n L13 50 \n L24 52 \n L38 53 \n L48 55 \n L52 56 \n L55 55 \n L60 56 \n L62 57 \n .end linenumbertable \n .end code \n .exceptions java/lang/Throwable \n.end method \n\n.method private static test : (ZLjava/io/File;)V \n .code stack 4 locals 3 \n .catch java/io/FileNotFoundException from L0 to L14 using L17 \n .catch java/io/UnsupportedEncodingException from L0 to L14 using L17 \nL0: new java/io/PrintStream \nL3: dup \nL4: aload_1 \nL5: ldc 'unknownCharset' \nL7: invokespecial Method java/io/PrintStream (Ljava/io/File;Ljava/lang/String;)V \nL10: pop \nL11: invokestatic Method FailingConstructors fail ()V \nL14: goto L21 \n\n .stack stack_1 Object java/io/IOException \nL17: astore_2 \nL18: invokestatic Method FailingConstructors pass ()V \n\n .stack same \nL21: iload_0 \nL22: aload_1 \nL23: invokestatic Method FailingConstructors check (ZLjava/io/File;)V \n .catch java/io/FileNotFoundException from L26 to L42 using L45 \n .catch java/lang/NullPointerException from L26 to L42 using L45 \nL26: new java/io/PrintStream \nL29: dup \nL30: aload_1 \nL31: aconst_null \nL32: checkcast java/lang/String \nL35: invokespecial Method java/io/PrintStream (Ljava/io/File;Ljava/lang/String;)V \nL38: pop \nL39: invokestatic Method FailingConstructors fail ()V \nL42: goto L49 \n\n .stack stack_1 Object java/lang/Exception \nL45: astore_2 \nL46: invokestatic Method FailingConstructors pass ()V \n\n .stack same \nL49: iload_0 \nL50: aload_1 \nL51: invokestatic Method FailingConstructors check (ZLjava/io/File;)V \n .catch java/io/FileNotFoundException from L54 to L71 using L74 \n .catch java/io/UnsupportedEncodingException from L54 to L71 using L74 \nL54: new java/io/PrintStream \nL57: dup \nL58: aload_1 \nL59: invokevirtual Method java/io/File getName ()Ljava/lang/String; \nL62: ldc 'unknownCharset' \nL64: invokespecial Method java/io/PrintStream (Ljava/lang/String;Ljava/lang/String;)V \nL67: pop \nL68: invokestatic Method FailingConstructors fail ()V \nL71: goto L78 \n\n .stack stack_1 Object java/io/IOException \nL74: astore_2 \nL75: invokestatic Method FailingConstructors pass ()V \n\n .stack same \nL78: iload_0 \nL79: aload_1 \nL80: invokestatic Method FailingConstructors check (ZLjava/io/File;)V \n .catch java/io/FileNotFoundException from L83 to L102 using L105 \n .catch java/lang/NullPointerException from L83 to L102 using L105 \nL83: new java/io/PrintStream \nL86: dup \nL87: aload_1 \nL88: invokevirtual Method java/io/File getName ()Ljava/lang/String; \nL91: aconst_null \nL92: checkcast java/lang/String \nL95: invokespecial Method java/io/PrintStream (Ljava/lang/String;Ljava/lang/String;)V \nL98: pop \nL99: invokestatic Method FailingConstructors fail ()V \nL102: goto L109 \n\n .stack stack_1 Object java/lang/Exception \nL105: astore_2 \nL106: invokestatic Method FailingConstructors pass ()V \n\n .stack same \nL109: iload_0 \nL110: aload_1 \nL111: invokestatic Method FailingConstructors check (ZLjava/io/File;)V \nL114: return \nL115: \n .linenumbertable \n L0 62 \n L11 63 \n L14 66 \n L17 64 \n L18 65 \n L21 68 \n L26 71 \n L39 72 \n L42 75 \n L45 73 \n L46 74 \n L49 77 \n L54 81 \n L68 82 \n L71 85 \n L74 83 \n L75 84 \n L78 87 \n L83 90 \n L99 91 \n L102 94 \n L105 92 \n L106 93 \n L109 96 \n L114 97 \n .end linenumbertable \n .end code \n .exceptions java/lang/Throwable \n.end method \n\n.method private static check : (ZLjava/io/File;)V \n .code stack 2 locals 2 \nL0: iload_0 \nL1: ifeq L11 \nL4: aload_1 \nL5: invokestatic Method FailingConstructors verifyContents (Ljava/io/File;)V \nL8: goto L40 \n\n .stack same \nL11: aload_1 \nL12: invokevirtual Method java/io/File exists ()Z \nL15: ifeq L40 \nL18: new java/lang/StringBuilder \nL21: dup \nL22: invokespecial Method java/lang/StringBuilder ()V \nL25: aload_1 \nL26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL29: ldc ' should not have been created' \nL31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL34: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL37: invokestatic Method FailingConstructors fail (Ljava/lang/String;)V \n\n .stack same \nL40: return \nL41: \n .linenumbertable \n L0 100 \n L4 102 \n L11 105 \n L40 107 \n .end linenumbertable \n .end code \n.end method \n\n.method private static verifyContents : (Ljava/io/File;)V \n .code stack 3 locals 9 \nL0: new java/io/FileInputStream \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/io/FileInputStream (Ljava/io/File;)V \nL8: astore_1 \nL9: aconst_null \nL10: astore_2 \nL11: ldc 'This is a small file!' \nL13: invokevirtual Method java/lang/String getBytes ()[B \nL16: astore_3 \nL17: iconst_0 \nL18: istore 5 \n\n .stack full \n locals Object java/io/File Object java/io/FileInputStream Object java/lang/Throwable Object [B Top Integer \n stack \n .end stack \nL20: aload_1 \nL21: invokevirtual Method java/io/FileInputStream read ()I \nL24: dup \nL25: istore 4 \nL27: iconst_m1 \nL28: if_icmpeq L79 \nL31: iload 4 \nL33: aload_3 \nL34: iload 5 \nL36: iinc 5 1 \nL39: baload \nL40: if_icmpeq L20 \nL43: ldc 'file contents have been altered' \nL45: invokestatic Method FailingConstructors fail (Ljava/lang/String;)V \nL48: aload_1 \nL49: ifnull L78 \nL52: aload_2 \nL53: ifnull L74 \n .catch java/lang/Throwable from L56 to L60 using L63 \nL56: aload_1 \nL57: invokevirtual Method java/io/FileInputStream close ()V \nL60: goto L78 \n\n .stack full \n locals Object java/io/File Object java/io/FileInputStream Object java/lang/Throwable Object [B Integer Integer \n stack Object java/lang/Throwable \n .end stack \nL63: astore 6 \nL65: aload_2 \nL66: aload 6 \nL68: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL71: goto L78 \n\n .stack same \nL74: aload_1 \nL75: invokevirtual Method java/io/FileInputStream close ()V \n\n .stack same \nL78: return \n\n .stack chop 3 \nL79: aload_1 \nL80: ifnull L150 \nL83: aload_2 \nL84: ifnull L103 \n .catch java/lang/Throwable from L87 to L91 using L94 \n .catch java/lang/Throwable from L11 to L48 using L110 \n .catch [0] from L11 to L48 using L115 \nL87: aload_1 \nL88: invokevirtual Method java/io/FileInputStream close ()V \nL91: goto L150 \n\n .stack stack_1 Object java/lang/Throwable \nL94: astore_3 \nL95: aload_2 \nL96: aload_3 \nL97: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL100: goto L150 \n\n .stack same \nL103: aload_1 \nL104: invokevirtual Method java/io/FileInputStream close ()V \nL107: goto L150 \n\n .stack stack_1 Object java/lang/Throwable \nL110: astore_3 \nL111: aload_3 \nL112: astore_2 \nL113: aload_3 \nL114: athrow \n\n .stack stack_1 Object java/lang/Throwable \nL115: astore 7 \nL117: aload_1 \nL118: ifnull L147 \nL121: aload_2 \nL122: ifnull L143 \n .catch java/lang/Throwable from L125 to L129 using L132 \n .catch [0] from L110 to L117 using L115 \n .catch java/io/IOException from L0 to L78 using L153 \n .catch java/io/IOException from L79 to L150 using L153 \nL125: aload_1 \nL126: invokevirtual Method java/io/FileInputStream close ()V \nL129: goto L147 \n\n .stack full \n locals Object java/io/File Object java/io/FileInputStream Object java/lang/Throwable Top Top Top Top Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL132: astore 8 \nL134: aload_2 \nL135: aload 8 \nL137: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL140: goto L147 \n\n .stack same \nL143: aload_1 \nL144: invokevirtual Method java/io/FileInputStream close ()V \n\n .stack same \nL147: aload 7 \nL149: athrow \n\n .stack full \n locals Object java/io/File \n stack \n .end stack \nL150: goto L158 \n\n .stack stack_1 Object java/io/IOException \nL153: astore_1 \nL154: aload_1 \nL155: invokestatic Method FailingConstructors unexpected (Ljava/lang/Throwable;)V \n\n .stack same \nL158: return \nL159: \n .linenumbertable \n L0 110 \n L11 111 \n L17 112 \n L20 113 \n L31 114 \n L43 115 \n L48 119 \n L78 116 \n L79 119 \n L110 110 \n L115 119 \n L150 121 \n L153 119 \n L154 120 \n L158 122 \n .end linenumbertable \n .end code \n.end method \n\n.method static pass : ()V \n .code stack 2 locals 0 \nL0: getstatic Field FailingConstructors passed I \nL3: iconst_1 \nL4: iadd \nL5: putstatic Field FailingConstructors passed I \nL8: return \nL9: \n .linenumbertable \n L0 126 \n .end linenumbertable \n .end code \n.end method \n\n.method static fail : ()V \n .code stack 2 locals 0 \nL0: getstatic Field FailingConstructors failed I \nL3: iconst_1 \nL4: iadd \nL5: putstatic Field FailingConstructors failed I \nL8: invokestatic Method java/lang/Thread dumpStack ()V \nL11: return \nL12: \n .linenumbertable \n L0 127 \n .end linenumbertable \n .end code \n.end method \n\n.method static fail : (Ljava/lang/String;)V \n .code stack 2 locals 1 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: aload_0 \nL4: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL7: invokestatic Method FailingConstructors fail ()V \nL10: return \nL11: \n .linenumbertable \n L0 128 \n .end linenumbertable \n .end code \n.end method \n\n.method static unexpected : (Ljava/lang/Throwable;)V \n .code stack 2 locals 1 \nL0: getstatic Field FailingConstructors failed I \nL3: iconst_1 \nL4: iadd \nL5: putstatic Field FailingConstructors failed I \nL8: aload_0 \nL9: invokevirtual Method java/lang/Throwable printStackTrace ()V \nL12: return \nL13: \n .linenumbertable \n L0 129 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 6 locals 2 \n .catch java/lang/Throwable from L0 to L4 using L7 \nL0: aload_0 \nL1: invokestatic Method FailingConstructors realMain ([Ljava/lang/String;)V \nL4: goto L12 \n\n .stack stack_1 Object java/lang/Throwable \nL7: astore_1 \nL8: aload_1 \nL9: invokestatic Method FailingConstructors unexpected (Ljava/lang/Throwable;)V \n\n .stack same \nL12: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL15: ldc '%nPassed = %d, failed = %d%n%n' \nL17: iconst_2 \nL18: anewarray java/lang/Object \nL21: dup \nL22: iconst_0 \nL23: getstatic Field FailingConstructors passed I \nL26: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL29: aastore \nL30: dup \nL31: iconst_1 \nL32: getstatic Field FailingConstructors failed I \nL35: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL38: aastore \nL39: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; \nL42: pop \nL43: getstatic Field FailingConstructors failed I \nL46: ifle L59 \nL49: new java/lang/AssertionError \nL52: dup \nL53: ldc 'Some tests failed' \nL55: invokespecial Method java/lang/AssertionError (Ljava/lang/Object;)V \nL58: athrow \n\n .stack same \nL59: return \nL60: \n .linenumbertable \n L0 131 \n L12 132 \n L43 133 \n .end linenumbertable \n .end code \n .exceptions java/lang/Throwable \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: iconst_0 \nL1: putstatic Field FailingConstructors passed I \nL4: iconst_0 \nL5: putstatic Field FailingConstructors failed I \nL8: return \nL9: \n .linenumbertable \n L0 125 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'FailingConstructors.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 10:45:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.concurrent.ExecutorService;\nimport java.util.concurrent.Executors;\nimport java.util.concurrent.Future;\nimport java.util.concurrent.TimeUnit;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class FailingConstructors_ESTest extends FailingConstructors_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Future future = executor.submit(new Runnable(){ \n @Override public void run() { \n try {\n MockThrowable mockThrowable0 = new MockThrowable(\"\");\n String[] stringArray0 = new String[7];\n try { \n FailingConstructors.main(stringArray0);\n fail(\"Expecting exception: AssertionError\");\n \n } catch(AssertionError e) {\n //\n // Some tests failed\n //\n }\n } catch(Throwable t) {\n // Need to catch declared exceptions\n }\n } \n });\n future.get(4000, TimeUnit.MILLISECONDS);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Future future = executor.submit(new Runnable(){ \n @Override public void run() { \n try {\n MockThrowable mockThrowable0 = new MockThrowable(\"\");\n FailingConstructors.unexpected(mockThrowable0);\n FailingConstructors.fail(\"=}5?u:a&C2a\");\n FailingConstructors.fail(\"\");\n String[] stringArray0 = new String[7];\n try { \n FailingConstructors.main(stringArray0);\n fail(\"Expecting exception: AssertionError\");\n \n } catch(AssertionError e) {\n //\n // Some tests failed\n //\n }\n } catch(Throwable t) {\n // Need to catch declared exceptions\n }\n } \n });\n future.get(4000, TimeUnit.MILLISECONDS);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n FailingConstructors.pass();\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n FailingConstructors.fail(\"=}5?u:a&C2a\");\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n FailingConstructors.fail();\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Future future = executor.submit(new Runnable(){ \n @Override public void run() { \n try {\n FailingConstructors.failed = (-82426);\n String[] stringArray0 = new String[0];\n FailingConstructors.main(stringArray0);\n FailingConstructors.fail();\n FailingConstructors.fail(\"file contents have been altered\");\n FailingConstructors.fail();\n FailingConstructors.fail();\n FailingConstructors.main(stringArray0);\n assertEquals(0, stringArray0.length);\n } catch(Throwable t) {\n // Need to catch declared exceptions\n }\n } \n });\n future.get(4000, TimeUnit.MILLISECONDS);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n FailingConstructors failingConstructors0 = new FailingConstructors();\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable();\n FailingConstructors.unexpected(mockThrowable0);\n assertEquals(\"org.evosuite.runtime.mock.java.lang.MockThrowable\", mockThrowable0.toString());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 10:45:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\nimport java.util.concurrent.ExecutorService;\nimport java.util.concurrent.Executors;\nimport java.util.concurrent.Future;\nimport java.util.concurrent.TimeUnit;\n\n@EvoSuiteClassExclude\npublic class FailingConstructors_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n protected static ExecutorService executor; \n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"FailingConstructors\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n executor = Executors.newCachedThreadPool(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n executor.shutdownNow(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpcp_9y489\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FailingConstructors_ESTest_scaffolding.class.getClassLoader() ,\n \"FailingConstructors\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FailingConstructors_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"FailingConstructors\"\n );\n }\n}\n", "class_idx": 77} {"class_name": "SizeTooSmallException", "java_source": "/**\n * This source file is part of Spritey - the sprite sheet creator.\n *\n *

Copyright 2011 Maksym Bykovskyy.\n *\n *

Spritey is free software: you can redistribute it and/or modify it under the terms of the GNU\n * General Public License as published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n *

Spritey is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without\n * even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU\n * General Public License for more details.\n *\n *

You should have received a copy of the GNU General Public License along with Spritey. If not,\n * see .\n */\n\n/** Signals that sprite sheet is too small to fit all sprites. */\npublic class SizeTooSmallException extends Exception {\n\n /** Auto-generated UID. */\n private static final long serialVersionUID = 8898174933215228502L;\n\n /** Creates a new instance of SizeTooSmallException. */\n public SizeTooSmallException() {\n super();\n }\n\n /**\n * Creates a new instance of SizeTooSmallException with the specified message.\n *\n * @param message the message describing the reason for this exception.\n */\n public SizeTooSmallException(String message) {\n super(message);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SizeTooSmallException \n.super java/lang/Exception \n.field private static final serialVersionUID J = 8898174933215228502L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 34 \n L4 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 45 \n L5 46 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SizeTooSmallException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 13:11:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SizeTooSmallException_ESTest extends SizeTooSmallException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SizeTooSmallException sizeTooSmallException0 = new SizeTooSmallException(\"\");\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SizeTooSmallException sizeTooSmallException0 = new SizeTooSmallException();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 13:11:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SizeTooSmallException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SizeTooSmallException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpwf4hk736\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SizeTooSmallException_ESTest_scaffolding.class.getClassLoader() ,\n \"SizeTooSmallException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SizeTooSmallException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SizeTooSmallException\"\n );\n }\n}\n", "class_idx": 78} {"class_name": "Attribute", "java_source": "public final class Attribute {\n public final String key;\n public final String value;\n\n public Attribute(String key, String value) {\n this.key = key;\n this.value = value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super Attribute \n.super java/lang/Object \n.field public final key Ljava/lang/String; \n.field public final value Ljava/lang/String; \n\n.method public : (Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field Attribute key Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field Attribute value Ljava/lang/String; \nL14: return \nL15: \n .linenumbertable \n L0 7 \n L4 8 \n L9 9 \n L14 10 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Attribute.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 07:56:25 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Attribute_ESTest extends Attribute_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Attribute attribute0 = new Attribute(\"py)\u007fm\", \"23{G-?Iag&Gi<\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 07:56:25 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Attribute_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Attribute\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp3kyver17\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Attribute_ESTest_scaffolding.class.getClassLoader() ,\n \"Attribute\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Attribute_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Attribute\"\n );\n }\n}\n", "class_idx": 79} {"class_name": "RulesIndicator", "java_source": "/*\n * Licensed to the Technische Universit\u00e4t Darmstadt under one\n * or more contributor license agreements. See the NOTICE file\n * distributed with this work for additional information\n * regarding copyright ownership. The Technische Universit\u00e4t Darmstadt\n * licenses this file to you under the Apache License, Version 2.0 (the\n * \"License\"); you may not use this file except in compliance\n * with the License.\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.io.Serializable;\n\n/**\n * Class for indicating whether Constraints affected a feature or not.\n * https://github.com/webanno/webanno/issues/46\n */\npublic class RulesIndicator implements Serializable {\n private static final long serialVersionUID = -5606299056181945134L;\n\n private static final int STATUS_UNKNOWN = 0;\n private static final int STATUS_NO_TAGSET = 1;\n private static final int STATUS_NO_RULE_MATCH = 2;\n private static final int STATUS_RULE_MATCH = 3;\n\n private int status = STATUS_UNKNOWN;\n private boolean affected;\n\n public String getStatusColor() {\n switch (status) {\n case STATUS_NO_TAGSET:\n return \"red\";\n case STATUS_NO_RULE_MATCH:\n return \"orange\";\n case STATUS_RULE_MATCH:\n return \"green\";\n default:\n return \"\";\n }\n }\n\n public boolean isAffected() {\n return affected;\n }\n\n public void reset() {\n status = STATUS_UNKNOWN;\n affected = false;\n }\n\n /** Sets if rules can affect or not. */\n public void setAffected(boolean existence) {\n affected = existence;\n }\n\n /**\n * If a feature is affected by a constraint but there is no tagset defined on the feature. In such\n * a case the constraints cannot reorder tags and have no effect.\n */\n public void didntMatchAnyTag() {\n if (affected && status != STATUS_NO_RULE_MATCH && status != STATUS_RULE_MATCH) {\n status = STATUS_NO_TAGSET;\n }\n }\n\n /**\n * if a feature is affected by a constraint but no rule covers the feature value, e.g. \n * @Lemma.value = \"go\" -> aFrame = \"going\". Here aFrame is affected by a constraint.\n * However, if the actual lemma annotated in the document is walk and there is no rule that covers\n * walk, then we should also indicate that.\n */\n public void didntMatchAnyRule() {\n if (affected && status != STATUS_RULE_MATCH && status != STATUS_NO_TAGSET) {\n status = STATUS_NO_RULE_MATCH;\n }\n }\n\n /** For case that a constrained actually applied ok there should be a marker. */\n public void rulesApplied() {\n status = STATUS_RULE_MATCH;\n }\n\n public String getStatusSymbol() {\n switch (status) {\n case STATUS_NO_TAGSET:\n return \"fa fa-exclamation-circle\";\n case STATUS_NO_RULE_MATCH:\n return \"fa fa-info-circle\";\n case STATUS_RULE_MATCH:\n return \"fa fa-check-circle\";\n default:\n return \"\";\n }\n }\n\n public String getStatusDescription() {\n switch (status) {\n case STATUS_NO_TAGSET:\n return \"Feature must be configured to use a tagset for constraint rules to work!\";\n case STATUS_NO_RULE_MATCH:\n return \"None of the constraint rules affecting this feature match.\";\n case STATUS_RULE_MATCH:\n return \"At least one constraint rule affecting this feature matches\";\n default:\n return \"\";\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super RulesIndicator \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = -5606299056181945134L \n.field private static final STATUS_UNKNOWN I = 0 \n.field private static final STATUS_NO_TAGSET I = 1 \n.field private static final STATUS_NO_RULE_MATCH I = 2 \n.field private static final STATUS_RULE_MATCH I = 3 \n.field private status I \n.field private affected Z \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field RulesIndicator status I \nL9: return \nL10: \n .linenumbertable \n L0 26 \n L4 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStatusColor : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RulesIndicator status I \nL4: tableswitch 1 \n L32 \n L35 \n L38 \n default : L41 \n\n\n .stack same \nL32: ldc 'red' \nL34: areturn \n\n .stack same \nL35: ldc 'orange' \nL37: areturn \n\n .stack same \nL38: ldc 'green' \nL40: areturn \n\n .stack same \nL41: ldc '' \nL43: areturn \nL44: \n .linenumbertable \n L0 41 \n L32 43 \n L35 45 \n L38 47 \n L41 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public isAffected : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RulesIndicator affected Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public reset : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: putfield Field RulesIndicator status I \nL5: aload_0 \nL6: iconst_0 \nL7: putfield Field RulesIndicator affected Z \nL10: return \nL11: \n .linenumbertable \n L0 60 \n L5 61 \n L10 62 \n .end linenumbertable \n .end code \n.end method \n\n.method public setAffected : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field RulesIndicator affected Z \nL5: return \nL6: \n .linenumbertable \n L0 69 \n L5 70 \n .end linenumbertable \n .end code \n.end method \n\n.method public didntMatchAnyTag : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field RulesIndicator affected Z \nL4: ifeq L28 \nL7: aload_0 \nL8: getfield Field RulesIndicator status I \nL11: iconst_2 \nL12: if_icmpeq L28 \nL15: aload_0 \nL16: getfield Field RulesIndicator status I \nL19: iconst_3 \nL20: if_icmpeq L28 \nL23: aload_0 \nL24: iconst_1 \nL25: putfield Field RulesIndicator status I \n\n .stack same \nL28: return \nL29: \n .linenumbertable \n L0 78 \n L23 79 \n L28 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public didntMatchAnyRule : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field RulesIndicator affected Z \nL4: ifeq L28 \nL7: aload_0 \nL8: getfield Field RulesIndicator status I \nL11: iconst_3 \nL12: if_icmpeq L28 \nL15: aload_0 \nL16: getfield Field RulesIndicator status I \nL19: iconst_1 \nL20: if_icmpeq L28 \nL23: aload_0 \nL24: iconst_2 \nL25: putfield Field RulesIndicator status I \n\n .stack same \nL28: return \nL29: \n .linenumbertable \n L0 91 \n L23 92 \n L28 94 \n .end linenumbertable \n .end code \n.end method \n\n.method public rulesApplied : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: iconst_3 \nL2: putfield Field RulesIndicator status I \nL5: return \nL6: \n .linenumbertable \n L0 101 \n L5 102 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStatusSymbol : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RulesIndicator status I \nL4: tableswitch 1 \n L32 \n L35 \n L38 \n default : L41 \n\n\n .stack same \nL32: ldc 'fa fa-exclamation-circle' \nL34: areturn \n\n .stack same \nL35: ldc 'fa fa-info-circle' \nL37: areturn \n\n .stack same \nL38: ldc 'fa fa-check-circle' \nL40: areturn \n\n .stack same \nL41: ldc '' \nL43: areturn \nL44: \n .linenumbertable \n L0 106 \n L32 108 \n L35 110 \n L38 112 \n L41 114 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStatusDescription : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RulesIndicator status I \nL4: tableswitch 1 \n L32 \n L35 \n L38 \n default : L41 \n\n\n .stack same \nL32: ldc 'Feature must be configured to use a tagset for constraint rules to work!' \nL34: areturn \n\n .stack same \nL35: ldc 'None of the constraint rules affecting this feature match.' \nL37: areturn \n\n .stack same \nL38: ldc 'At least one constraint rule affecting this feature matches' \nL40: areturn \n\n .stack same \nL41: ldc '' \nL43: areturn \nL44: \n .linenumbertable \n L0 120 \n L32 122 \n L35 124 \n L38 126 \n L41 128 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'RulesIndicator.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 14:36:02 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class RulesIndicator_ESTest extends RulesIndicator_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n boolean boolean0 = rulesIndicator0.isAffected();\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.rulesApplied();\n rulesIndicator0.getStatusDescription();\n assertEquals(\"green\", rulesIndicator0.getStatusColor());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyRule();\n rulesIndicator0.getStatusDescription();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n String string0 = rulesIndicator0.getStatusDescription();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyTag();\n rulesIndicator0.getStatusDescription();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.rulesApplied();\n rulesIndicator0.getStatusSymbol();\n assertEquals(\"green\", rulesIndicator0.getStatusColor());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyRule();\n rulesIndicator0.getStatusSymbol();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n String string0 = rulesIndicator0.getStatusSymbol();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyTag();\n rulesIndicator0.getStatusSymbol();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyTag();\n rulesIndicator0.didntMatchAnyRule();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.rulesApplied();\n rulesIndicator0.didntMatchAnyRule();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.didntMatchAnyRule();\n assertEquals(\"\", rulesIndicator0.getStatusDescription());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.rulesApplied();\n rulesIndicator0.didntMatchAnyTag();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyRule();\n rulesIndicator0.didntMatchAnyTag();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.didntMatchAnyTag();\n assertEquals(\"\", rulesIndicator0.getStatusDescription());\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyRule();\n rulesIndicator0.getStatusColor();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n String string0 = rulesIndicator0.getStatusColor();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.rulesApplied();\n rulesIndicator0.getStatusColor();\n assertEquals(\"At least one constraint rule affecting this feature matches\", rulesIndicator0.getStatusDescription());\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.setAffected(true);\n rulesIndicator0.didntMatchAnyTag();\n rulesIndicator0.getStatusColor();\n assertTrue(rulesIndicator0.isAffected());\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.isAffected();\n assertEquals(\"\", rulesIndicator0.getStatusDescription());\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n RulesIndicator rulesIndicator0 = new RulesIndicator();\n rulesIndicator0.reset();\n assertEquals(\"\", rulesIndicator0.getStatusDescription());\n assertFalse(rulesIndicator0.isAffected());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 14:36:02 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class RulesIndicator_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"RulesIndicator\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpk6q0yjlj\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RulesIndicator_ESTest_scaffolding.class.getClassLoader() ,\n \"RulesIndicator\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RulesIndicator_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"RulesIndicator\"\n );\n }\n}\n", "class_idx": 80} {"class_name": "LenType", "java_source": "/*\n * This file is part of Mosquito meta-loader.\n *\n * Mosquito meta-loader is free software; you can redistribute it and/or modify\n * it under the terms of the GNU Lesser General Public License as published by\n * the Free Software Foundation; either version 3 of the License, or\n * (at your option) any later version.\n *\n * Mosquito meta-loader is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Lesser General Public License for more details.\n *\n * You should have received a copy of the GNU Lesser General Public License\n * along with this program. If not, see .\n */\n\n/**\n * @author Nikola Petkov\n * <nikola.petkov@gmail.com>\n */\npublic class LenType {\n\n private String jClass;\n\n private int length = -1;\n /** */\n public LenType() {}\n\n /**\n * @param aLength\n * @param aJClass\n */\n public LenType(int aLength, String aJClass) {\n length = aLength;\n jClass = aJClass;\n }\n\n /**\n * @return type.\n */\n public String getJClass() {\n return jClass;\n }\n\n /**\n * @return len.\n */\n public int getLength() {\n return length;\n }\n\n /**\n * @param aType The type to set.\n */\n public void setJClass(String aType) {\n jClass = aType;\n }\n\n /**\n * @param aLength The len to set.\n */\n public void setLength(int aLength) {\n length = aLength;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super LenType \n.super java/lang/Object \n.field private jClass Ljava/lang/String; \n.field private length I \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_m1 \nL6: putfield Field LenType length I \nL9: return \nL10: \n .linenumbertable \n L0 31 \n L4 27 \n L9 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (ILjava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_m1 \nL6: putfield Field LenType length I \nL9: aload_0 \nL10: iload_1 \nL11: putfield Field LenType length I \nL14: aload_0 \nL15: aload_2 \nL16: putfield Field LenType jClass Ljava/lang/String; \nL19: return \nL20: \n .linenumbertable \n L0 38 \n L4 27 \n L9 39 \n L14 40 \n L19 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public getJClass : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field LenType jClass Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 47 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLength : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field LenType length I \nL4: ireturn \nL5: \n .linenumbertable \n L0 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public setJClass : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field LenType jClass Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 62 \n L5 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLength : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field LenType length I \nL5: return \nL6: \n .linenumbertable \n L0 70 \n L5 71 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'LenType.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 04:33:04 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class LenType_ESTest extends LenType_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LenType lenType0 = new LenType();\n assertEquals((-1), lenType0.getLength());\n \n lenType0.setLength(0);\n int int0 = lenType0.getLength();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n LenType lenType0 = new LenType(0, \"LenType\");\n lenType0.getJClass();\n assertEquals(0, lenType0.getLength());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n LenType lenType0 = new LenType();\n lenType0.setJClass(\"\");\n lenType0.getJClass();\n assertEquals((-1), lenType0.getLength());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n LenType lenType0 = new LenType();\n lenType0.getJClass();\n assertEquals((-1), lenType0.getLength());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n LenType lenType0 = new LenType();\n int int0 = lenType0.getLength();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n LenType lenType0 = new LenType(39485, \"\");\n int int0 = lenType0.getLength();\n assertEquals(39485, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 04:33:04 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class LenType_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"LenType\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpqdjpd30u\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LenType_ESTest_scaffolding.class.getClassLoader() ,\n \"LenType\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LenType_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"LenType\"\n );\n }\n}\n", "class_idx": 81} {"class_name": "SurveillanceImageUpdateResource", "java_source": "// NOSONAR\n\n/** DTO used to update {@link com.github._1element.sc.domain.SurveillanceImage}. */\npublic class SurveillanceImageUpdateResource {\n\n private long id;\n\n private boolean archived;\n\n public long getId() {\n return id;\n }\n\n public void setId(final long id) {\n this.id = id;\n }\n\n public boolean isArchived() {\n return archived;\n }\n\n public void setArchived(final boolean archived) {\n this.archived = archived;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SurveillanceImageUpdateResource \n.super java/lang/Object \n.field private id J \n.field private archived Z \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field SurveillanceImageUpdateResource id J \nL4: lreturn \nL5: \n .linenumbertable \n L0 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId : (J)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: lload_1 \nL2: putfield Field SurveillanceImageUpdateResource id J \nL5: return \nL6: \n .linenumbertable \n L0 17 \n L5 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public isArchived : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SurveillanceImageUpdateResource archived Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public setArchived : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field SurveillanceImageUpdateResource archived Z \nL5: return \nL6: \n .linenumbertable \n L0 25 \n L5 26 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SurveillanceImageUpdateResource.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 15:22:17 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SurveillanceImageUpdateResource_ESTest extends SurveillanceImageUpdateResource_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource();\n surveillanceImageUpdateResource0.setArchived(true);\n boolean boolean0 = surveillanceImageUpdateResource0.isArchived();\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource();\n surveillanceImageUpdateResource0.setId((-23496L));\n long long0 = surveillanceImageUpdateResource0.getId();\n assertEquals((-23496L), long0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource();\n boolean boolean0 = surveillanceImageUpdateResource0.isArchived();\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource();\n long long0 = surveillanceImageUpdateResource0.getId();\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n SurveillanceImageUpdateResource surveillanceImageUpdateResource0 = new SurveillanceImageUpdateResource();\n surveillanceImageUpdateResource0.setId(102699L);\n long long0 = surveillanceImageUpdateResource0.getId();\n assertEquals(102699L, long0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 15:22:17 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SurveillanceImageUpdateResource_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SurveillanceImageUpdateResource\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1mnmbbqc\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SurveillanceImageUpdateResource_ESTest_scaffolding.class.getClassLoader() ,\n \"SurveillanceImageUpdateResource\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SurveillanceImageUpdateResource_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SurveillanceImageUpdateResource\"\n );\n }\n}\n", "class_idx": 82} {"class_name": "PutIdentityPolicyResult", "java_source": "/*\n * Copyright 2010-2016 Amazon.com, Inc. or its affiliates. All Rights\n * Reserved.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\").\n * You may not use this file except in compliance with the License.\n * A copy of the License is located at\n *\n * http://aws.amazon.com/apache2.0\n *\n * or in the \"license\" file accompanying this file. This file is distributed\n * on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing\n * permissions and limitations under the License.\n */\n\nimport java.io.Serializable;\n\n/** */\npublic class PutIdentityPolicyResult implements Serializable, Cloneable {\n\n /**\n * Returns a string representation of this object; useful for testing and debugging.\n *\n * @return A string representation of this object.\n * @see java.lang.Object#toString()\n */\n @Override\n public String toString() {\n StringBuilder sb = new StringBuilder();\n sb.append(\"{\");\n sb.append(\"}\");\n return sb.toString();\n }\n\n @Override\n public boolean equals(Object obj) {\n if (this == obj) return true;\n if (obj == null) return false;\n\n if (obj instanceof PutIdentityPolicyResult == false) return false;\n PutIdentityPolicyResult other = (PutIdentityPolicyResult) obj;\n return true;\n }\n\n @Override\n public int hashCode() {\n final int prime = 31;\n int hashCode = 1;\n\n return hashCode;\n }\n\n @Override\n public PutIdentityPolicyResult clone() {\n try {\n return (PutIdentityPolicyResult) super.clone();\n } catch (CloneNotSupportedException e) {\n throw new IllegalStateException(\n \"Got a CloneNotSupportedException from Object.clone() \" + \"even though we're Cloneable!\",\n e);\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PutIdentityPolicyResult \n.super java/lang/Object \n.implements java/io/Serializable \n.implements java/lang/Cloneable \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 2 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: astore_1 \nL8: aload_1 \nL9: ldc '{' \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: pop \nL15: aload_1 \nL16: ldc '}' \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: pop \nL22: aload_1 \nL23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL26: areturn \nL27: \n .linenumbertable \n L0 36 \n L8 37 \n L15 38 \n L22 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnonnull L13 \nL11: iconst_0 \nL12: ireturn \n\n .stack same \nL13: aload_1 \nL14: instanceof PutIdentityPolicyResult \nL17: ifne L22 \nL20: iconst_0 \nL21: ireturn \n\n .stack same \nL22: aload_1 \nL23: checkcast PutIdentityPolicyResult \nL26: astore_2 \nL27: iconst_1 \nL28: ireturn \nL29: \n .linenumbertable \n L0 44 \n L5 45 \n L7 46 \n L11 47 \n L13 49 \n L20 50 \n L22 51 \n L27 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 1 locals 3 \nL0: iconst_1 \nL1: istore_2 \nL2: iload_2 \nL3: ireturn \nL4: \n .linenumbertable \n L0 58 \n L2 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public clone : ()LPutIdentityPolicyResult; \n .code stack 4 locals 2 \n .catch java/lang/CloneNotSupportedException from L0 to L7 using L8 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object clone ()Ljava/lang/Object; \nL4: checkcast PutIdentityPolicyResult \nL7: areturn \n\n .stack stack_1 Object java/lang/CloneNotSupportedException \nL8: astore_1 \nL9: new java/lang/IllegalStateException \nL12: dup \nL13: ldc \"Got a CloneNotSupportedException from Object.clone() even though we're Cloneable!\" \nL15: aload_1 \nL16: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL19: athrow \nL20: \n .linenumbertable \n L0 66 \n L8 67 \n L9 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public bridge synthetic clone : ()Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method PutIdentityPolicyResult clone ()LPutIdentityPolicyResult; \nL4: areturn \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n .exceptions java/lang/CloneNotSupportedException \n.end method \n.sourcefile 'PutIdentityPolicyResult.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 14:01:15 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PutIdentityPolicyResult_ESTest extends PutIdentityPolicyResult_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult();\n PutIdentityPolicyResult putIdentityPolicyResult1 = new PutIdentityPolicyResult();\n boolean boolean0 = putIdentityPolicyResult0.equals(putIdentityPolicyResult1);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult();\n boolean boolean0 = putIdentityPolicyResult0.equals((Object) null);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult();\n boolean boolean0 = putIdentityPolicyResult0.equals(putIdentityPolicyResult0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult();\n Object object0 = new Object();\n boolean boolean0 = putIdentityPolicyResult0.equals(object0);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult();\n putIdentityPolicyResult0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult();\n PutIdentityPolicyResult putIdentityPolicyResult1 = putIdentityPolicyResult0.clone();\n assertTrue(putIdentityPolicyResult1.equals((Object)putIdentityPolicyResult0));\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n PutIdentityPolicyResult putIdentityPolicyResult0 = new PutIdentityPolicyResult();\n String string0 = putIdentityPolicyResult0.toString();\n assertEquals(\"{}\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 14:01:15 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PutIdentityPolicyResult_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PutIdentityPolicyResult\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmplb7qi0ru\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PutIdentityPolicyResult_ESTest_scaffolding.class.getClassLoader() ,\n \"PutIdentityPolicyResult\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PutIdentityPolicyResult_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PutIdentityPolicyResult\"\n );\n }\n}\n", "class_idx": 83} {"class_name": "NetworkReferences", "java_source": "/**\n * References related to networking.\n *\n * @author siddharth.s\n */\npublic class NetworkReferences {\n\n public static final String HTTP_POST_METHOD = \"POST\";\n public static final String COOKIE_SEPARATOR = \"&\";\n public static final int HTTP_200_OK = 200;\n}\n", "jasm_code": ".version 52 0 \n.class public super NetworkReferences \n.super java/lang/Object \n.field public static final HTTP_POST_METHOD Ljava/lang/String; = 'POST' \n.field public static final COOKIE_SEPARATOR Ljava/lang/String; = '&' \n.field public static final HTTP_200_OK I = 200 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'NetworkReferences.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:39:47 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class NetworkReferences_ESTest extends NetworkReferences_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n NetworkReferences networkReferences0 = new NetworkReferences();\n assertEquals(200, NetworkReferences.HTTP_200_OK);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:39:47 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class NetworkReferences_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"NetworkReferences\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp01qstuyb\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NetworkReferences_ESTest_scaffolding.class.getClassLoader() ,\n \"NetworkReferences\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NetworkReferences_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"NetworkReferences\"\n );\n }\n}\n", "class_idx": 84} {"class_name": "WxPaiedNotifyRequest", "java_source": "/** */\n\n/**\n * @author wenhua.tang\n */\npublic class WxPaiedNotifyRequest {\n // \u534f\u8bae\u5c42\n private String return_code = \"\";\n private String return_msg = \"\";\n\n // \u534f\u8bae\u8fd4\u56de\u7684\u5177\u4f53\u6570\u636e\uff08\u4ee5\u4e0b\u5b57\u6bb5\u5728return_code \u4e3aSUCCESS \u7684\u65f6\u5019\u6709\u8fd4\u56de\uff09\n private String appid = \"\";\n private String mch_id = \"\";\n private String device_info = \"\";\n private String nonce_str = \"\";\n private String sign = \"\";\n private String sign_type = \"\";\n private String result_code = \"\";\n private String err_code = \"\";\n private String err_code_des = \"\";\n\n private String openid = \"\";\n private String is_subscribe = \"\";\n private String trade_type = \"\";\n private String bank_type = \"\";\n private int total_fee = 0;\n private int settlement_total_fee = 0;\n private String fee_type = \"\";\n private int cash_fee = 0;\n\n private String cash_fee_type = \"\";\n private int coupon_fee = 0;\n private int coupon_count = 0;\n\n private String transaction_id = \"\";\n private String out_trade_no = \"\";\n private String time_end = \"\";\n\n public String getReturn_code() {\n return return_code;\n }\n\n public void setReturn_code(String return_code) {\n this.return_code = return_code;\n }\n\n public String getReturn_msg() {\n return return_msg;\n }\n\n public void setReturn_msg(String return_msg) {\n this.return_msg = return_msg;\n }\n\n public String getAppid() {\n return appid;\n }\n\n public void setAppid(String appid) {\n this.appid = appid;\n }\n\n public String getMch_id() {\n return mch_id;\n }\n\n public void setMch_id(String mch_id) {\n this.mch_id = mch_id;\n }\n\n public String getDevice_info() {\n return device_info;\n }\n\n public void setDevice_info(String device_info) {\n this.device_info = device_info;\n }\n\n public String getNonce_str() {\n return nonce_str;\n }\n\n public void setNonce_str(String nonce_str) {\n this.nonce_str = nonce_str;\n }\n\n public String getSign() {\n return sign;\n }\n\n public void setSign(String sign) {\n this.sign = sign;\n }\n\n public String getSign_type() {\n return sign_type;\n }\n\n public void setSign_type(String sign_type) {\n this.sign_type = sign_type;\n }\n\n public String getResult_code() {\n return result_code;\n }\n\n public void setResult_code(String result_code) {\n this.result_code = result_code;\n }\n\n public String getErr_code() {\n return err_code;\n }\n\n public void setErr_code(String err_code) {\n this.err_code = err_code;\n }\n\n public String getErr_code_des() {\n return err_code_des;\n }\n\n public void setErr_code_des(String err_code_des) {\n this.err_code_des = err_code_des;\n }\n\n public String getOpenid() {\n return openid;\n }\n\n public void setOpenid(String openid) {\n this.openid = openid;\n }\n\n public String getIs_subscribe() {\n return is_subscribe;\n }\n\n public void setIs_subscribe(String is_subscribe) {\n this.is_subscribe = is_subscribe;\n }\n\n public String getTrade_type() {\n return trade_type;\n }\n\n public void setTrade_type(String trade_type) {\n this.trade_type = trade_type;\n }\n\n public String getBank_type() {\n return bank_type;\n }\n\n public void setBank_type(String bank_type) {\n this.bank_type = bank_type;\n }\n\n public int getTotal_fee() {\n return total_fee;\n }\n\n public void setTotal_fee(int total_fee) {\n this.total_fee = total_fee;\n }\n\n public int getSettlement_total_fee() {\n return settlement_total_fee;\n }\n\n public void setSettlement_total_fee(int settlement_total_fee) {\n this.settlement_total_fee = settlement_total_fee;\n }\n\n public String getFee_type() {\n return fee_type;\n }\n\n public void setFee_type(String fee_type) {\n this.fee_type = fee_type;\n }\n\n public int getCash_fee() {\n return cash_fee;\n }\n\n public void setCash_fee(int cash_fee) {\n this.cash_fee = cash_fee;\n }\n\n public String getCash_fee_type() {\n return cash_fee_type;\n }\n\n public void setCash_fee_type(String cash_fee_type) {\n this.cash_fee_type = cash_fee_type;\n }\n\n public int getCoupon_fee() {\n return coupon_fee;\n }\n\n public void setCoupon_fee(int coupon_fee) {\n this.coupon_fee = coupon_fee;\n }\n\n public int getCoupon_count() {\n return coupon_count;\n }\n\n public void setCoupon_count(int coupon_count) {\n this.coupon_count = coupon_count;\n }\n\n public String getTransaction_id() {\n return transaction_id;\n }\n\n public void setTransaction_id(String transaction_id) {\n this.transaction_id = transaction_id;\n }\n\n public String getOut_trade_no() {\n return out_trade_no;\n }\n\n public void setOut_trade_no(String out_trade_no) {\n this.out_trade_no = out_trade_no;\n }\n\n public String getTime_end() {\n return time_end;\n }\n\n public void setTime_end(String time_end) {\n this.time_end = time_end;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super WxPaiedNotifyRequest \n.super java/lang/Object \n.field private return_code Ljava/lang/String; \n.field private return_msg Ljava/lang/String; \n.field private appid Ljava/lang/String; \n.field private mch_id Ljava/lang/String; \n.field private device_info Ljava/lang/String; \n.field private nonce_str Ljava/lang/String; \n.field private sign Ljava/lang/String; \n.field private sign_type Ljava/lang/String; \n.field private result_code Ljava/lang/String; \n.field private err_code Ljava/lang/String; \n.field private err_code_des Ljava/lang/String; \n.field private openid Ljava/lang/String; \n.field private is_subscribe Ljava/lang/String; \n.field private trade_type Ljava/lang/String; \n.field private bank_type Ljava/lang/String; \n.field private total_fee I \n.field private settlement_total_fee I \n.field private fee_type Ljava/lang/String; \n.field private cash_fee I \n.field private cash_fee_type Ljava/lang/String; \n.field private coupon_fee I \n.field private coupon_count I \n.field private transaction_id Ljava/lang/String; \n.field private out_trade_no Ljava/lang/String; \n.field private time_end Ljava/lang/String; \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: ldc '' \nL7: putfield Field WxPaiedNotifyRequest return_code Ljava/lang/String; \nL10: aload_0 \nL11: ldc '' \nL13: putfield Field WxPaiedNotifyRequest return_msg Ljava/lang/String; \nL16: aload_0 \nL17: ldc '' \nL19: putfield Field WxPaiedNotifyRequest appid Ljava/lang/String; \nL22: aload_0 \nL23: ldc '' \nL25: putfield Field WxPaiedNotifyRequest mch_id Ljava/lang/String; \nL28: aload_0 \nL29: ldc '' \nL31: putfield Field WxPaiedNotifyRequest device_info Ljava/lang/String; \nL34: aload_0 \nL35: ldc '' \nL37: putfield Field WxPaiedNotifyRequest nonce_str Ljava/lang/String; \nL40: aload_0 \nL41: ldc '' \nL43: putfield Field WxPaiedNotifyRequest sign Ljava/lang/String; \nL46: aload_0 \nL47: ldc '' \nL49: putfield Field WxPaiedNotifyRequest sign_type Ljava/lang/String; \nL52: aload_0 \nL53: ldc '' \nL55: putfield Field WxPaiedNotifyRequest result_code Ljava/lang/String; \nL58: aload_0 \nL59: ldc '' \nL61: putfield Field WxPaiedNotifyRequest err_code Ljava/lang/String; \nL64: aload_0 \nL65: ldc '' \nL67: putfield Field WxPaiedNotifyRequest err_code_des Ljava/lang/String; \nL70: aload_0 \nL71: ldc '' \nL73: putfield Field WxPaiedNotifyRequest openid Ljava/lang/String; \nL76: aload_0 \nL77: ldc '' \nL79: putfield Field WxPaiedNotifyRequest is_subscribe Ljava/lang/String; \nL82: aload_0 \nL83: ldc '' \nL85: putfield Field WxPaiedNotifyRequest trade_type Ljava/lang/String; \nL88: aload_0 \nL89: ldc '' \nL91: putfield Field WxPaiedNotifyRequest bank_type Ljava/lang/String; \nL94: aload_0 \nL95: iconst_0 \nL96: putfield Field WxPaiedNotifyRequest total_fee I \nL99: aload_0 \nL100: iconst_0 \nL101: putfield Field WxPaiedNotifyRequest settlement_total_fee I \nL104: aload_0 \nL105: ldc '' \nL107: putfield Field WxPaiedNotifyRequest fee_type Ljava/lang/String; \nL110: aload_0 \nL111: iconst_0 \nL112: putfield Field WxPaiedNotifyRequest cash_fee I \nL115: aload_0 \nL116: ldc '' \nL118: putfield Field WxPaiedNotifyRequest cash_fee_type Ljava/lang/String; \nL121: aload_0 \nL122: iconst_0 \nL123: putfield Field WxPaiedNotifyRequest coupon_fee I \nL126: aload_0 \nL127: iconst_0 \nL128: putfield Field WxPaiedNotifyRequest coupon_count I \nL131: aload_0 \nL132: ldc '' \nL134: putfield Field WxPaiedNotifyRequest transaction_id Ljava/lang/String; \nL137: aload_0 \nL138: ldc '' \nL140: putfield Field WxPaiedNotifyRequest out_trade_no Ljava/lang/String; \nL143: aload_0 \nL144: ldc '' \nL146: putfield Field WxPaiedNotifyRequest time_end Ljava/lang/String; \nL149: return \nL150: \n .linenumbertable \n L0 10 \n L4 12 \n L10 13 \n L16 16 \n L22 17 \n L28 18 \n L34 19 \n L40 20 \n L46 21 \n L52 22 \n L58 23 \n L64 24 \n L70 26 \n L76 27 \n L82 28 \n L88 29 \n L94 30 \n L99 31 \n L104 32 \n L110 33 \n L115 35 \n L121 36 \n L126 37 \n L131 39 \n L137 40 \n L143 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public getReturn_code : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest return_code Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public setReturn_code : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest return_code Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 48 \n L5 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public getReturn_msg : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest return_msg Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public setReturn_msg : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest return_msg Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 56 \n L5 57 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAppid : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest appid Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public setAppid : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest appid Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 64 \n L5 65 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMch_id : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest mch_id Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setMch_id : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest mch_id Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDevice_info : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest device_info Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 76 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDevice_info : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest device_info Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 80 \n L5 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public getNonce_str : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest nonce_str Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 84 \n .end linenumbertable \n .end code \n.end method \n\n.method public setNonce_str : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest nonce_str Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 88 \n L5 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSign : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest sign Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 92 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSign : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest sign Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 96 \n L5 97 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSign_type : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest sign_type Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 100 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSign_type : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest sign_type Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 104 \n L5 105 \n .end linenumbertable \n .end code \n.end method \n\n.method public getResult_code : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest result_code Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 108 \n .end linenumbertable \n .end code \n.end method \n\n.method public setResult_code : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest result_code Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 112 \n L5 113 \n .end linenumbertable \n .end code \n.end method \n\n.method public getErr_code : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest err_code Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 116 \n .end linenumbertable \n .end code \n.end method \n\n.method public setErr_code : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest err_code Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 120 \n L5 121 \n .end linenumbertable \n .end code \n.end method \n\n.method public getErr_code_des : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest err_code_des Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 124 \n .end linenumbertable \n .end code \n.end method \n\n.method public setErr_code_des : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest err_code_des Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 128 \n L5 129 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOpenid : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest openid Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 132 \n .end linenumbertable \n .end code \n.end method \n\n.method public setOpenid : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest openid Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 136 \n L5 137 \n .end linenumbertable \n .end code \n.end method \n\n.method public getIs_subscribe : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest is_subscribe Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 140 \n .end linenumbertable \n .end code \n.end method \n\n.method public setIs_subscribe : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest is_subscribe Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 144 \n L5 145 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTrade_type : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest trade_type Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 148 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTrade_type : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest trade_type Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 152 \n L5 153 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBank_type : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest bank_type Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 156 \n .end linenumbertable \n .end code \n.end method \n\n.method public setBank_type : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest bank_type Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 160 \n L5 161 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTotal_fee : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest total_fee I \nL4: ireturn \nL5: \n .linenumbertable \n L0 164 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTotal_fee : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field WxPaiedNotifyRequest total_fee I \nL5: return \nL6: \n .linenumbertable \n L0 168 \n L5 169 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSettlement_total_fee : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest settlement_total_fee I \nL4: ireturn \nL5: \n .linenumbertable \n L0 172 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSettlement_total_fee : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field WxPaiedNotifyRequest settlement_total_fee I \nL5: return \nL6: \n .linenumbertable \n L0 176 \n L5 177 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFee_type : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest fee_type Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 180 \n .end linenumbertable \n .end code \n.end method \n\n.method public setFee_type : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest fee_type Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 184 \n L5 185 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCash_fee : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest cash_fee I \nL4: ireturn \nL5: \n .linenumbertable \n L0 188 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCash_fee : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field WxPaiedNotifyRequest cash_fee I \nL5: return \nL6: \n .linenumbertable \n L0 192 \n L5 193 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCash_fee_type : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest cash_fee_type Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 196 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCash_fee_type : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest cash_fee_type Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 200 \n L5 201 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCoupon_fee : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest coupon_fee I \nL4: ireturn \nL5: \n .linenumbertable \n L0 204 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCoupon_fee : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field WxPaiedNotifyRequest coupon_fee I \nL5: return \nL6: \n .linenumbertable \n L0 208 \n L5 209 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCoupon_count : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest coupon_count I \nL4: ireturn \nL5: \n .linenumbertable \n L0 212 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCoupon_count : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field WxPaiedNotifyRequest coupon_count I \nL5: return \nL6: \n .linenumbertable \n L0 216 \n L5 217 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTransaction_id : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest transaction_id Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 220 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTransaction_id : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest transaction_id Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 224 \n L5 225 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOut_trade_no : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest out_trade_no Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 228 \n .end linenumbertable \n .end code \n.end method \n\n.method public setOut_trade_no : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest out_trade_no Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 232 \n L5 233 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTime_end : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field WxPaiedNotifyRequest time_end Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 236 \n .end linenumbertable \n .end code \n.end method \n\n.method public setTime_end : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field WxPaiedNotifyRequest time_end Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 240 \n L5 241 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'WxPaiedNotifyRequest.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:23:56 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class WxPaiedNotifyRequest_ESTest extends WxPaiedNotifyRequest_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setTransaction_id((String) null);\n wxPaiedNotifyRequest0.getTransaction_id();\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setTransaction_id(\"g5<$r7BUHF\");\n wxPaiedNotifyRequest0.getTransaction_id();\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setTrade_type((String) null);\n wxPaiedNotifyRequest0.getTrade_type();\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setTrade_type(\"NpR'_\u007f\");\n wxPaiedNotifyRequest0.getTrade_type();\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n \n wxPaiedNotifyRequest0.setTotal_fee(1);\n int int0 = wxPaiedNotifyRequest0.getTotal_fee();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setTotal_fee((-56208));\n int int0 = wxPaiedNotifyRequest0.getTotal_fee();\n assertEquals((-56208), int0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setTime_end(\"HlH8f2-mNYV'9N\");\n wxPaiedNotifyRequest0.getTime_end();\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setSign_type(\"WxPaiedNotifyRequest\");\n wxPaiedNotifyRequest0.getSign_type();\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setSign(\"T.,Q[Q-xgu3kG\\\"}hNTf\");\n wxPaiedNotifyRequest0.getSign();\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setSettlement_total_fee(8154);\n int int0 = wxPaiedNotifyRequest0.getSettlement_total_fee();\n assertEquals(8154, int0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setReturn_msg((String) null);\n wxPaiedNotifyRequest0.getReturn_msg();\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setReturn_msg(\"3zt\\\"Se3*Cv6GGc>V\u007fW\");\n wxPaiedNotifyRequest0.getReturn_msg();\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setReturn_code(\"LTNC{vx N|9A\u007fpomfe\");\n wxPaiedNotifyRequest0.getReturn_code();\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setResult_code((String) null);\n wxPaiedNotifyRequest0.getResult_code();\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setResult_code(\"mCT5v4n/n|`.c=wb5\");\n wxPaiedNotifyRequest0.getResult_code();\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setOut_trade_no((String) null);\n wxPaiedNotifyRequest0.getOut_trade_no();\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setOut_trade_no(\"MW\");\n wxPaiedNotifyRequest0.getOut_trade_no();\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setOpenid(\"#*`jAC0t\");\n wxPaiedNotifyRequest0.getOpenid();\n assertEquals(0, wxPaiedNotifyRequest0.getCash_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_count());\n assertEquals(0, wxPaiedNotifyRequest0.getCoupon_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getSettlement_total_fee());\n assertEquals(0, wxPaiedNotifyRequest0.getTotal_fee());\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n WxPaiedNotifyRequest wxPaiedNotifyRequest0 = new WxPaiedNotifyRequest();\n wxPaiedNotifyRequest0.setNonce_str(\"&wHk>u^ : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public static simple_method : (DD)D \n .code stack 4 locals 4 \nL0: dload_2 \nL1: dload_0 \nL2: dmul \nL3: dstore_0 \nL4: dload_0 \nL5: dreturn \nL6: \n .linenumbertable \n L0 22 \n L4 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 4 locals 7 \nL0: ldc2_w +2.0 \nL3: dstore_1 \nL4: ldc2_w +3.0 \nL7: dstore_3 \nL8: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL11: new java/lang/StringBuilder \nL14: dup \nL15: invokespecial Method java/lang/StringBuilder ()V \nL18: ldc 'Initial workJ value is ' \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL23: dload_1 \nL24: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL27: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL30: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL33: dconst_0 \nL34: dstore 5 \n\n .stack append Double Double Double \nL36: dload 5 \nL38: ldc2_w +10.0 \nL41: dcmpg \nL42: ifge L63 \nL45: dload_1 \nL46: dload_3 \nL47: invokestatic Method Main simple_method (DD)D \nL50: dload 5 \nL52: dadd \nL53: dstore_1 \nL54: dload 5 \nL56: dconst_1 \nL57: dadd \nL58: dstore 5 \nL60: goto L36 \n\n .stack chop 1 \nL63: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL66: new java/lang/StringBuilder \nL69: dup \nL70: invokespecial Method java/lang/StringBuilder ()V \nL73: ldc 'Final workJ value is ' \nL75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL78: dload_1 \nL79: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL82: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL85: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL88: return \nL89: \n .linenumbertable \n L0 27 \n L4 28 \n L8 30 \n L33 32 \n L45 33 \n L54 32 \n L63 36 \n L88 37 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Main.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 04:01:41 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Main_ESTest extends Main_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[0];\n Main.main(stringArray0);\n Main.main(stringArray0);\n Main.main(stringArray0);\n Main.main(stringArray0);\n Main.main(stringArray0);\n Main.simple_method(35503.74900703305, 35503.74900703305);\n Main.main(stringArray0);\n Main main0 = new Main();\n String[] stringArray1 = new String[9];\n stringArray1[0] = \"\";\n stringArray1[1] = \"Main\";\n stringArray1[2] = \"_Aj|9twhd4M?F\";\n stringArray1[3] = \"%sa1\";\n stringArray1[4] = \"\";\n stringArray1[5] = \"\";\n stringArray1[6] = \"Final workJ value is \";\n stringArray1[7] = \"\";\n stringArray1[8] = \"\";\n Main.main(stringArray1);\n Main.main(stringArray0);\n double double0 = Main.simple_method(0.0, 41902.762525326194);\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Main.simple_method((-1.0), (-1.0));\n String[] stringArray0 = new String[0];\n Main.main(stringArray0);\n Main.simple_method((-1.0), (-1.0));\n Main.simple_method(0.0, 0.0);\n Main main0 = new Main();\n String[] stringArray1 = new String[2];\n stringArray1[0] = \"[8X$69\\\"a>CNr6/q`T\";\n stringArray1[1] = \"\";\n Main.main(stringArray1);\n Main.main(stringArray0);\n Main.main(stringArray0);\n Main.main(stringArray0);\n Main.simple_method(1.0, (-13969.16626456413));\n Main.simple_method(0.0, 11919.29721228);\n Main.main(stringArray0);\n Main.simple_method(0.0, (-1.0));\n Main.simple_method(0.0, -0.0);\n Main.simple_method((-1.0), 0.0);\n Main.simple_method(1.0, 0.0);\n Main.main(stringArray0);\n Main.main(stringArray0);\n Main.simple_method(0.0, 2644.01995);\n double double0 = Main.simple_method((-13969.16626456413), 1.0);\n assertEquals((-13969.16626456413), double0, 1.0E-4);\n \n Main.simple_method((-1.0), (-1.0));\n double double1 = Main.simple_method(0.0, 0.0);\n assertEquals(0.0, double1, 1.0E-4);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 04:01:41 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Main_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Main\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpv8c9mgc8\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Main_ESTest_scaffolding.class.getClassLoader() ,\n \"Main\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Main\"\n );\n }\n}\n", "class_idx": 86} {"class_name": "HostInfo", "java_source": "import java.io.Serializable;\n\npublic class HostInfo implements Serializable {\n\n private String name;\n private String ip;\n private String rack;\n\n public HostInfo(String name, String ip, String rack) {\n\n this.name = name;\n this.ip = ip;\n this.rack = rack;\n }\n\n public String getName() {\n return name;\n }\n\n public String getIp() {\n return ip;\n }\n\n public String getRack() {\n return rack;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super HostInfo \n.super java/lang/Object \n.implements java/io/Serializable \n.field private name Ljava/lang/String; \n.field private ip Ljava/lang/String; \n.field private rack Ljava/lang/String; \n\n.method public : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field HostInfo name Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field HostInfo ip Ljava/lang/String; \nL14: aload_0 \nL15: aload_3 \nL16: putfield Field HostInfo rack Ljava/lang/String; \nL19: return \nL20: \n .linenumbertable \n L0 11 \n L4 13 \n L9 14 \n L14 15 \n L19 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HostInfo name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public getIp : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HostInfo ip Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRack : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HostInfo rack Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'HostInfo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 01:42:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HostInfo_ESTest extends HostInfo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n HostInfo hostInfo0 = new HostInfo((String) null, (String) null, (String) null);\n String string0 = hostInfo0.getRack();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n HostInfo hostInfo0 = new HostInfo(\"HostInfo\", \"HostInfo\", \"HostInfo\");\n String string0 = hostInfo0.getRack();\n assertEquals(\"HostInfo\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n HostInfo hostInfo0 = new HostInfo((String) null, (String) null, (String) null);\n String string0 = hostInfo0.getName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n HostInfo hostInfo0 = new HostInfo(\"HostInfo\", \"HostInfo\", \"HostInfo\");\n String string0 = hostInfo0.getName();\n assertEquals(\"HostInfo\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n HostInfo hostInfo0 = new HostInfo((String) null, (String) null, (String) null);\n String string0 = hostInfo0.getIp();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n HostInfo hostInfo0 = new HostInfo(\"HostInfo\", \"HostInfo\", \"HostInfo\");\n String string0 = hostInfo0.getIp();\n assertEquals(\"HostInfo\", string0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n HostInfo hostInfo0 = new HostInfo(\"\", \"\", \"\");\n String string0 = hostInfo0.getRack();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n HostInfo hostInfo0 = new HostInfo(\"\", \"\", \"\");\n String string0 = hostInfo0.getName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n HostInfo hostInfo0 = new HostInfo(\"\", \"\", \"\");\n String string0 = hostInfo0.getIp();\n assertEquals(\"\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 01:42:14 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HostInfo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HostInfo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpjv4bfn_u\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HostInfo_ESTest_scaffolding.class.getClassLoader() ,\n \"HostInfo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HostInfo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HostInfo\"\n );\n }\n}\n", "class_idx": 87} {"class_name": "SMSMessage", "java_source": "import java.text.DateFormat;\nimport java.util.Date;\nimport java.util.Locale;\n\npublic class SMSMessage {\n private static final Locale SV_SE = new Locale(\"sv\", \"SE\");\n\n private final long date;\n private final String location;\n private final String body;\n private final String opName;\n private final String contactInfo;\n\n public SMSMessage(\n final long date,\n final String place,\n final String body,\n final String opName,\n final String contactInfo) {\n this.date = date;\n this.location = place;\n this.body = body;\n this.opName = opName;\n this.contactInfo = contactInfo;\n }\n\n public long getDate() {\n return date;\n }\n\n public String getLocation() {\n return location;\n }\n\n public String getBody() {\n return body;\n }\n\n public String getOpName() {\n return opName;\n }\n\n public String getContactInfo() {\n return contactInfo;\n }\n\n @Override\n public String toString() {\n StringBuilder sb = new StringBuilder();\n sb.append(opName + \": \");\n sb.append(body.endsWith(\".\") ? body : body.concat(\". \"));\n DateFormat df = DateFormat.getDateTimeInstance(DateFormat.SHORT, DateFormat.MEDIUM, SV_SE);\n sb.append(df.format(new Date(date)) + \", \");\n sb.append(location + \", \");\n sb.append(\"Tel: \" + contactInfo);\n return sb.toString();\n }\n\n public int getMessageLength() {\n return this.toString().length();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SMSMessage \n.super java/lang/Object \n.field private static final SV_SE Ljava/util/Locale; \n.field private final date J \n.field private final location Ljava/lang/String; \n.field private final body Ljava/lang/String; \n.field private final opName Ljava/lang/String; \n.field private final contactInfo Ljava/lang/String; \n\n.method public : (JLjava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 3 locals 7 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: lload_1 \nL6: putfield Field SMSMessage date J \nL9: aload_0 \nL10: aload_3 \nL11: putfield Field SMSMessage location Ljava/lang/String; \nL14: aload_0 \nL15: aload 4 \nL17: putfield Field SMSMessage body Ljava/lang/String; \nL20: aload_0 \nL21: aload 5 \nL23: putfield Field SMSMessage opName Ljava/lang/String; \nL26: aload_0 \nL27: aload 6 \nL29: putfield Field SMSMessage contactInfo Ljava/lang/String; \nL32: return \nL33: \n .linenumbertable \n L0 17 \n L4 18 \n L9 19 \n L14 20 \n L20 21 \n L26 22 \n L32 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDate : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field SMSMessage date J \nL4: lreturn \nL5: \n .linenumbertable \n L0 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLocation : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SMSMessage location Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBody : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SMSMessage body Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOpName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SMSMessage opName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public getContactInfo : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SMSMessage contactInfo Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 7 locals 3 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: astore_1 \nL8: aload_1 \nL9: new java/lang/StringBuilder \nL12: dup \nL13: invokespecial Method java/lang/StringBuilder ()V \nL16: aload_0 \nL17: getfield Field SMSMessage opName Ljava/lang/String; \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL23: ldc ': ' \nL25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL28: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL34: pop \nL35: aload_1 \nL36: aload_0 \nL37: getfield Field SMSMessage body Ljava/lang/String; \nL40: ldc '.' \nL42: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z \nL45: ifeq L55 \nL48: aload_0 \nL49: getfield Field SMSMessage body Ljava/lang/String; \nL52: goto L64 \n\n .stack full \n locals Object SMSMessage Object java/lang/StringBuilder \n stack Object java/lang/StringBuilder \n .end stack \nL55: aload_0 \nL56: getfield Field SMSMessage body Ljava/lang/String; \nL59: ldc '. ' \nL61: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String; \n\n .stack full \n locals Object SMSMessage Object java/lang/StringBuilder \n stack Object java/lang/StringBuilder Object java/lang/String \n .end stack \nL64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL67: pop \nL68: iconst_3 \nL69: iconst_2 \nL70: getstatic Field SMSMessage SV_SE Ljava/util/Locale; \nL73: invokestatic Method java/text/DateFormat getDateTimeInstance (IILjava/util/Locale;)Ljava/text/DateFormat; \nL76: astore_2 \nL77: aload_1 \nL78: new java/lang/StringBuilder \nL81: dup \nL82: invokespecial Method java/lang/StringBuilder ()V \nL85: aload_2 \nL86: new java/util/Date \nL89: dup \nL90: aload_0 \nL91: getfield Field SMSMessage date J \nL94: invokespecial Method java/util/Date (J)V \nL97: invokevirtual Method java/text/DateFormat format (Ljava/util/Date;)Ljava/lang/String; \nL100: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL103: ldc ', ' \nL105: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL108: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL114: pop \nL115: aload_1 \nL116: new java/lang/StringBuilder \nL119: dup \nL120: invokespecial Method java/lang/StringBuilder ()V \nL123: aload_0 \nL124: getfield Field SMSMessage location Ljava/lang/String; \nL127: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL130: ldc ', ' \nL132: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL135: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL138: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL141: pop \nL142: aload_1 \nL143: new java/lang/StringBuilder \nL146: dup \nL147: invokespecial Method java/lang/StringBuilder ()V \nL150: ldc 'Tel: ' \nL152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL155: aload_0 \nL156: getfield Field SMSMessage contactInfo Ljava/lang/String; \nL159: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL162: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL165: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL168: pop \nL169: aload_1 \nL170: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL173: areturn \nL174: \n .linenumbertable \n L0 47 \n L8 48 \n L35 49 \n L68 50 \n L77 52 \n L115 53 \n L142 54 \n L169 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMessageLength : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method SMSMessage toString ()Ljava/lang/String; \nL4: invokevirtual Method java/lang/String length ()I \nL7: ireturn \nL8: \n .linenumbertable \n L0 59 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 4 locals 0 \nL0: new java/util/Locale \nL3: dup \nL4: ldc 'sv' \nL6: ldc 'SE' \nL8: invokespecial Method java/util/Locale (Ljava/lang/String;Ljava/lang/String;)V \nL11: putstatic Field SMSMessage SV_SE Ljava/util/Locale; \nL14: return \nL15: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SMSMessage.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 08:21:54 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SMSMessage_ESTest extends SMSMessage_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage(0L, \"t'9S$;RlL#f7=kx|_U.\", \"2M5_(VnP+)i=69N\u007f!F\", \"2M5_(VnP+)i=69N\u007f!F\", \"t'9S$;RlL#f7=kx|_U.\");\n sMSMessage0.getMessageLength();\n sMSMessage0.toString();\n sMSMessage0.getContactInfo();\n sMSMessage0.getDate();\n String string0 = sMSMessage0.getBody();\n assertEquals(\"2M5_(VnP+)i=69N\u007f!F\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-1L), \"\", \"\", (String) null, \"\");\n sMSMessage0.getOpName();\n assertEquals((-1L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-1L), \"\", \"\", \"\", (String) null);\n sMSMessage0.getOpName();\n assertEquals((-1L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-117325L), (String) null, (String) null, (String) null, (String) null);\n sMSMessage0.getLocation();\n assertEquals((-117325L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-1L), \"\", \"\", \"\", (String) null);\n sMSMessage0.getLocation();\n assertEquals((-1L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage(53754L, \"\", \"\", \"\", \"\");\n long long0 = sMSMessage0.getDate();\n assertEquals(53754L, long0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-1L), \"\", \"\", \"\", (String) null);\n sMSMessage0.getContactInfo();\n assertEquals((-1L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-1L), \"o\", \"\", \"\", \"\");\n sMSMessage0.getContactInfo();\n assertEquals((-1L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage(0L, (String) null, (String) null, \"fN|\", (String) null);\n String string0 = sMSMessage0.getBody();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage(0L, \".\", \".\", \"Tel: \", \".\");\n String string0 = sMSMessage0.toString();\n assertEquals(\"Tel: : .1970-01-01 00:00:00, ., Tel: .\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-13291L), \": \", \"\", \": \", \": \");\n sMSMessage0.getLocation();\n assertEquals((-13291L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-13291L), \": \", \"\", \": \", \": \");\n sMSMessage0.getOpName();\n assertEquals((-13291L), sMSMessage0.getDate());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-13291L), \": \", \"\", \": \", \": \");\n long long0 = sMSMessage0.getDate();\n assertEquals((-13291L), long0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n SMSMessage sMSMessage0 = new SMSMessage((-13291L), \": \", \"\", \": \", \": \");\n sMSMessage0.getBody();\n assertEquals((-13291L), sMSMessage0.getDate());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 08:21:54 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SMSMessage_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SMSMessage\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp7p3uf_v3\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SMSMessage_ESTest_scaffolding.class.getClassLoader() ,\n \"SMSMessage\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SMSMessage_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SMSMessage\"\n );\n }\n}\n", "class_idx": 88} {"class_name": "Enclosure", "java_source": "/*\n * Eddie RSS and Atom feed parser\n * Copyright (C) 2006 David Pashley\n *\n * This program is free software; you can redistribute it and/or\n * modify it under the terms of the GNU General Public License\n * as published by the Free Software Foundation; either version 2\n * of the License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * You should have received a copy of the GNU General Public License\n * along with this program; if not, write to the Free Software\n * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.\n *\n * Linking this library statically or dynamically with other modules is making a\n * combined work based on this library. Thus, the terms and conditions of the GNU\n * General Public License cover the whole combination.\n *\n * As a special exception, the copyright holders of this library give you\n * permission to link this library with independent modules to produce an\n * executable, regardless of the license terms of these independent modules, and\n * to copy and distribute the resulting executable under a liense certified by the\n * Open Source Initative (http://www.opensource.org), provided that you also meet,\n * for each linked independent module, the terms and conditions of the license of\n * that module. An independent module is a module which is not derived from or\n * based on this library. If you modify this library, you may extend this\n * exception to your version of the library, but you are not obligated to do so.\n * If you do not wish to do so, delete this exception statement from your version.\n */\n\npublic class Enclosure {\n private String url;\n private String length;\n private String type;\n\n public String toString() {\n StringBuilder sb = new StringBuilder();\n sb.append(\"{\");\n sb.append(\"url: '\").append(this.url).append(\"', \");\n sb.append(\"length: '\").append(this.length).append(\"', \");\n sb.append(\"type: '\").append(this.type).append(\"'\");\n sb.append(\"}\");\n return sb.toString();\n }\n\n public String getUrl() {\n return url;\n }\n\n public void setUrl(String url) {\n this.url = url;\n }\n\n public String getLength() {\n return length;\n }\n\n public void setLength(String length) {\n this.length = length;\n }\n\n public String getType() {\n return type;\n }\n\n public void setType(String type) {\n this.type = type;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Enclosure \n.super java/lang/Object \n.field private url Ljava/lang/String; \n.field private length Ljava/lang/String; \n.field private type Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 2 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: astore_1 \nL8: aload_1 \nL9: ldc '{' \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: pop \nL15: aload_1 \nL16: ldc \"url: '\" \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: aload_0 \nL22: getfield Field Enclosure url Ljava/lang/String; \nL25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL28: ldc \"', \" \nL30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL33: pop \nL34: aload_1 \nL35: ldc \"length: '\" \nL37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL40: aload_0 \nL41: getfield Field Enclosure length Ljava/lang/String; \nL44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL47: ldc \"', \" \nL49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL52: pop \nL53: aload_1 \nL54: ldc \"type: '\" \nL56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL59: aload_0 \nL60: getfield Field Enclosure type Ljava/lang/String; \nL63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL66: ldc \"'\" \nL68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL71: pop \nL72: aload_1 \nL73: ldc '}' \nL75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL78: pop \nL79: aload_1 \nL80: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL83: areturn \nL84: \n .linenumbertable \n L0 42 \n L8 43 \n L15 44 \n L34 45 \n L53 46 \n L72 47 \n L79 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUrl : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Enclosure url Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public setUrl : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Enclosure url Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 55 \n L5 56 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLength : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Enclosure length Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLength : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Enclosure length Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 61 \n L5 62 \n .end linenumbertable \n .end code \n.end method \n\n.method public getType : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Enclosure type Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public setType : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Enclosure type Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 67 \n L5 68 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Enclosure.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 05:32:42 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Enclosure_ESTest extends Enclosure_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n enclosure0.setUrl(\",$krrhE\");\n String string0 = enclosure0.getUrl();\n assertEquals(\",$krrhE\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n enclosure0.setType(\"vD y7gb~}V(2z\");\n String string0 = enclosure0.getType();\n assertEquals(\"vD y7gb~}V(2z\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n enclosure0.setLength(\"Iqh k#Lf^)_>TGo41\");\n String string0 = enclosure0.getLength();\n assertEquals(\"Iqh k#Lf^)_>TGo41\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n enclosure0.setType(\"\");\n String string0 = enclosure0.getType();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n String string0 = enclosure0.getUrl();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n enclosure0.setLength(\"\");\n String string0 = enclosure0.getLength();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n String string0 = enclosure0.toString();\n assertEquals(\"{url: 'null', length: 'null', type: 'null'}\", string0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n String string0 = enclosure0.getLength();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n enclosure0.setUrl(\"\");\n String string0 = enclosure0.getUrl();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test9() throws Throwable {\n Enclosure enclosure0 = new Enclosure();\n String string0 = enclosure0.getType();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 05:32:42 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Enclosure_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Enclosure\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpal65tqxt\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Enclosure_ESTest_scaffolding.class.getClassLoader() ,\n \"Enclosure\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Enclosure_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Enclosure\"\n );\n }\n}\n", "class_idx": 89} {"class_name": "Token", "java_source": "public class Token {\n\n private long id;\n private String token;\n private String secret;\n\n public Token() {}\n\n public Token(String token, String secret) {\n setToken(token);\n setSecret(secret);\n }\n\n public String getToken() {\n return token;\n }\n\n public void setToken(String token) {\n this.token = token;\n }\n\n public String getSecret() {\n return secret;\n }\n\n public void setSecret(String secret) {\n this.secret = secret;\n }\n\n public long getId() {\n return id;\n }\n\n public void setId(long id) {\n this.id = id;\n }\n\n @Override\n public String toString() {\n return \"Token [id=\"\n + id\n + \", token=\"\n + token\n + \", secret=\"\n + secret\n + \", toString()=\"\n + super.toString()\n + \"]\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Token \n.super java/lang/Object \n.field private id J \n.field private token Ljava/lang/String; \n.field private secret Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: invokevirtual Method Token setToken (Ljava/lang/String;)V \nL9: aload_0 \nL10: aload_2 \nL11: invokevirtual Method Token setSecret (Ljava/lang/String;)V \nL14: return \nL15: \n .linenumbertable \n L0 11 \n L4 12 \n L9 13 \n L14 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public getToken : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Token token Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public setToken : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Token token Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 21 \n L5 22 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSecret : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Token secret Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSecret : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Token secret Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 29 \n L5 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field Token id J \nL4: lreturn \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId : (J)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: lload_1 \nL2: putfield Field Token id J \nL5: return \nL6: \n .linenumbertable \n L0 37 \n L5 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 3 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'Token [id=' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field Token id J \nL16: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL19: ldc ', token=' \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL24: aload_0 \nL25: getfield Field Token token Ljava/lang/String; \nL28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL31: ldc ', secret=' \nL33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL36: aload_0 \nL37: getfield Field Token secret Ljava/lang/String; \nL40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL43: ldc ', toString()=' \nL45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL48: aload_0 \nL49: invokespecial Method java/lang/Object toString ()Ljava/lang/String; \nL52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL55: ldc ']' \nL57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL63: areturn \nL64: \n .linenumbertable \n L0 42 \n L49 43 \n L63 42 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Token.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 05:25:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Token_ESTest extends Token_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Token token0 = new Token((String) null, (String) null);\n String string0 = token0.getToken();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Token token0 = new Token(\", toString()=\", \", toString()=\");\n String string0 = token0.getToken();\n assertEquals(\", toString()=\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Token token0 = new Token((String) null, (String) null);\n String string0 = token0.getSecret();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Token token0 = new Token(\"4[,z;c0OEe00sX\", \"4[,z;c0OEe00sX\");\n String string0 = token0.getSecret();\n assertEquals(\"4[,z;c0OEe00sX\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Token token0 = new Token(\"\", \"\");\n token0.setId(51703L);\n long long0 = token0.getId();\n assertEquals(51703L, long0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Token token0 = new Token((String) null, \"\");\n token0.setToken(\"\");\n assertEquals(0L, token0.getId());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Token token0 = new Token(\"\", \"\");\n token0.setSecret(\"\");\n assertEquals(\"\", token0.getSecret());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Token token0 = new Token((String) null, \"\");\n String string0 = token0.toString();\n assertNotNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Token token0 = new Token(\"\", \"\");\n String string0 = token0.getSecret();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Token token0 = new Token();\n token0.setId((-98281L));\n long long0 = token0.getId();\n assertEquals((-98281L), long0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Token token0 = new Token(\"\", \"\");\n long long0 = token0.getId();\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Token token0 = new Token(\"\", \"\");\n String string0 = token0.getToken();\n assertEquals(\"\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 05:25:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Token_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Token\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfpvazh6g\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Token_ESTest_scaffolding.class.getClassLoader() ,\n \"Token\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Token_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Token\"\n );\n }\n}\n", "class_idx": 90} {"class_name": "SocialUserProfileProperties", "java_source": "// Copyright 2012 Google Inc.\n//\n// Licensed under the Apache License, Version 2.0 (the \"License\");\n// you may not use this file except in compliance with the License.\n// You may obtain a copy of the License at\n//\n// http://www.apache.org/licenses/LICENSE-2.0\n//\n// Unless required by applicable law or agreed to in writing, software\n// distributed under the License is distributed on an \"AS IS\" BASIS,\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n// See the License for the specific language governing permissions and\n// limitations under the License.\n\n/**\n * Distinguished Properties for user profiles\n *\n * @author tapasnay\n * @since 3.0\n */\npublic class SocialUserProfileProperties {\n // for name of properties\n // I actually wanted to use '.' or ':' separated namespaces, but\n // unfortunately meta queries dont seem to work with names with . in it.\n // TBD: fix this.\n\n /** Optional, multi-valued property that provides the subjects the user can be asked about. */\n public static final String PROPNAME_ASKMEABOUT = \"google_social_user_askmeabout\";\n\n /**\n * Optional, multi-valued property that provides the topics in which the user has specific skills.\n */\n public static final String PROPNAME_SKILLS = \"google_social_user_skills\";\n\n /**\n * Optional, multi-valued property that provides the names of projects user has been involved in\n * the past.\n */\n public static final String PROPNAME_PASTPROJECTS = \"google_social_user_pastprojects\";\n\n /**\n * Optional, single valued property that provides the accountname of the user. It is typically a\n * unique value per user.\n */\n public static final String PROPNAME_ACCOUNTNAME = \"google_social_user_accountname\";\n\n /** Optional, single valued property that provides a name user prefers to be called by */\n public static final String PROPNAME_PREFERREDNAME = \"google_social_user_preferredname\";\n\n /** Optional, single valued property that provides a name user prefers to be called by */\n public static final String PROPNAME_USERCONTENT = \"google_social_user_content\";\n\n /** Optional, single valued property that provides URL to a profile picture of user */\n public static final String PROPNAME_PICTUREURL = \"google_social_user_pictureurl\";\n\n /** Optional, single valued property that provides URL to a profile picture of user */\n public static final String PROPNAME_ORGURL = \"google_social_user_orgurl\";\n\n /**\n * Optional, property that describes contact information for user's colleagues in xml. Schema of\n * this xml is as follows\n *\n *

\n   * {@code \n   *       \n   *         \n   *           \n   *             \n   *               \n   *                 \n   *                   \n   *                   \n   *                   \n   *                   \n   *                   \n   *                   \n   *                   \n   *                 \n   *               \n   *             \n   *           \n   *         \n   *        }\n   * 
\n */\n public static final String PROPNAME_COLLEAGUES = \"google_social_user_colleagues\";\n\n /**\n * Optional, single-valued property that provides the url to point to for opening the profile of\n * user\n */\n public static final String PROPNAME_USERPROFILEURL = \"google_social_userprofile_url\";\n}\n", "jasm_code": ".version 52 0 \n.class public super SocialUserProfileProperties \n.super java/lang/Object \n.field public static final PROPNAME_ASKMEABOUT Ljava/lang/String; = 'google_social_user_askmeabout' \n.field public static final PROPNAME_SKILLS Ljava/lang/String; = 'google_social_user_skills' \n.field public static final PROPNAME_PASTPROJECTS Ljava/lang/String; = 'google_social_user_pastprojects' \n.field public static final PROPNAME_ACCOUNTNAME Ljava/lang/String; = 'google_social_user_accountname' \n.field public static final PROPNAME_PREFERREDNAME Ljava/lang/String; = 'google_social_user_preferredname' \n.field public static final PROPNAME_USERCONTENT Ljava/lang/String; = 'google_social_user_content' \n.field public static final PROPNAME_PICTUREURL Ljava/lang/String; = 'google_social_user_pictureurl' \n.field public static final PROPNAME_ORGURL Ljava/lang/String; = 'google_social_user_orgurl' \n.field public static final PROPNAME_COLLEAGUES Ljava/lang/String; = 'google_social_user_colleagues' \n.field public static final PROPNAME_USERPROFILEURL Ljava/lang/String; = 'google_social_userprofile_url' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SocialUserProfileProperties.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 02:49:10 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SocialUserProfileProperties_ESTest extends SocialUserProfileProperties_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SocialUserProfileProperties socialUserProfileProperties0 = new SocialUserProfileProperties();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 02:49:10 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SocialUserProfileProperties_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SocialUserProfileProperties\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp5yuaip7n\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SocialUserProfileProperties_ESTest_scaffolding.class.getClassLoader() ,\n \"SocialUserProfileProperties\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SocialUserProfileProperties_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SocialUserProfileProperties\"\n );\n }\n}\n", "class_idx": 91} {"class_name": "PricesFile", "java_source": "public class PricesFile {}\n", "jasm_code": ".version 52 0 \n.class public super PricesFile \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PricesFile.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:17:09 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PricesFile_ESTest extends PricesFile_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n PricesFile pricesFile0 = new PricesFile();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:17:09 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PricesFile_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PricesFile\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyhgqtsze\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PricesFile_ESTest_scaffolding.class.getClassLoader() ,\n \"PricesFile\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PricesFile_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PricesFile\"\n );\n }\n}\n", "class_idx": 92} {"class_name": "FormatUtil", "java_source": "/**\n * ******************************************************************************* ********* Author\n * : klob(kloblic@gmail.com) . ********* Date : 2014-11-29 . ********* Time : 11:46 . *********\n * Project name : Diandi1.18 . ********* Version : 1.0 ********* Copyright @ 2014, klob, All Rights\n * Reserved *******************************************************************************\n */\npublic class FormatUtil {\n FormatUtil() {}\n\n public static String formatString(String str) {\n String res = String.format(\"%2s\", str);\n res = res.replaceAll(\"\\\\s\", \"0\");\n return res;\n }\n\n public static String formatString(String weishu, String str) {\n String res = String.format(\"%\" + weishu + \"s\", str);\n res = res.replaceAll(\"\\\\s\", \"0\");\n return res;\n }\n\n public static String pad(int c) {\n if (c >= 10) return String.valueOf(c);\n else return \"0\" + String.valueOf(c);\n }\n\n public static String padHour(int c) {\n if (c == 12) return String.valueOf(c);\n if (c == 00) return String.valueOf(c + 12);\n if (c > 12) return String.valueOf(c - 12);\n else return String.valueOf(c);\n }\n\n public static String padAP(int c) {\n if (c == 12) return \" PM\";\n if (c == 00) return \" AM\";\n if (c > 12) return \" PM\";\n else return \" AM\";\n }\n\n public static String week2String(int week) {\n switch (week) {\n case 1:\n return \"\u65e5\";\n case 2:\n return \"\u4e00\";\n case 3:\n return \"\u4e8c\";\n case 4:\n return \"\u4e09\";\n case 5:\n return \"\u56db\";\n case 6:\n return \"\u4e94\";\n case 7:\n return \"\u516d\";\n\n default:\n return \"\";\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super FormatUtil \n.super java/lang/Object \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 14 \n L4 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public static formatString : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 5 locals 2 \nL0: ldc '%2s' \nL2: iconst_1 \nL3: anewarray java/lang/Object \nL6: dup \nL7: iconst_0 \nL8: aload_0 \nL9: aastore \nL10: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; \nL13: astore_1 \nL14: aload_1 \nL15: ldc '\\\\s' \nL17: ldc '0' \nL19: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL22: astore_1 \nL23: aload_1 \nL24: areturn \nL25: \n .linenumbertable \n L0 18 \n L14 19 \n L23 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public static formatString : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 5 locals 3 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc '%' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL16: ldc 's' \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL24: iconst_1 \nL25: anewarray java/lang/Object \nL28: dup \nL29: iconst_0 \nL30: aload_1 \nL31: aastore \nL32: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; \nL35: astore_2 \nL36: aload_2 \nL37: ldc '\\\\s' \nL39: ldc '0' \nL41: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL44: astore_2 \nL45: aload_2 \nL46: areturn \nL47: \n .linenumbertable \n L0 24 \n L36 25 \n L45 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public static pad : (I)Ljava/lang/String; \n .code stack 2 locals 1 \nL0: iload_0 \nL1: bipush 10 \nL3: if_icmplt L11 \nL6: iload_0 \nL7: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL10: areturn \n\n .stack same \nL11: new java/lang/StringBuilder \nL14: dup \nL15: invokespecial Method java/lang/StringBuilder ()V \nL18: ldc '0' \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL23: iload_0 \nL24: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL30: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL33: areturn \nL34: \n .linenumbertable \n L0 30 \n L6 31 \n L11 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public static padHour : (I)Ljava/lang/String; \n .code stack 2 locals 1 \nL0: iload_0 \nL1: bipush 12 \nL3: if_icmpne L11 \nL6: iload_0 \nL7: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL10: areturn \n\n .stack same \nL11: iload_0 \nL12: ifne L23 \nL15: iload_0 \nL16: bipush 12 \nL18: iadd \nL19: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL22: areturn \n\n .stack same \nL23: iload_0 \nL24: bipush 12 \nL26: if_icmple L37 \nL29: iload_0 \nL30: bipush 12 \nL32: isub \nL33: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL36: areturn \n\n .stack same \nL37: iload_0 \nL38: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL41: areturn \nL42: \n .linenumbertable \n L0 37 \n L6 38 \n L11 39 \n L15 40 \n L23 41 \n L29 42 \n L37 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public static padAP : (I)Ljava/lang/String; \n .code stack 2 locals 1 \nL0: iload_0 \nL1: bipush 12 \nL3: if_icmpne L9 \nL6: ldc ' PM' \nL8: areturn \n\n .stack same \nL9: iload_0 \nL10: ifne L16 \nL13: ldc ' AM' \nL15: areturn \n\n .stack same \nL16: iload_0 \nL17: bipush 12 \nL19: if_icmple L25 \nL22: ldc ' PM' \nL24: areturn \n\n .stack same \nL25: ldc ' AM' \nL27: areturn \nL28: \n .linenumbertable \n L0 48 \n L6 49 \n L9 50 \n L13 51 \n L16 52 \n L22 53 \n L25 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public static week2String : (I)Ljava/lang/String; \n .code stack 1 locals 1 \nL0: iload_0 \nL1: tableswitch 1 \n L44 \n L47 \n L50 \n L53 \n L56 \n L59 \n L62 \n default : L65 \n\n\n .stack same \nL44: ldc '\u65e5' \nL46: areturn \n\n .stack same \nL47: ldc '\u4e00' \nL49: areturn \n\n .stack same \nL50: ldc '\u4e8c' \nL52: areturn \n\n .stack same \nL53: ldc '\u4e09' \nL55: areturn \n\n .stack same \nL56: ldc '\u56db' \nL58: areturn \n\n .stack same \nL59: ldc '\u4e94' \nL61: areturn \n\n .stack same \nL62: ldc '\u516d' \nL64: areturn \n\n .stack same \nL65: ldc '' \nL67: areturn \nL68: \n .linenumbertable \n L0 59 \n L44 61 \n L47 63 \n L50 65 \n L53 67 \n L56 69 \n L59 71 \n L62 73 \n L65 76 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'FormatUtil.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 08:43:05 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class FormatUtil_ESTest extends FormatUtil_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n String string0 = FormatUtil.padHour((-36252));\n assertEquals(\"-36252\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n String string0 = FormatUtil.pad(10);\n assertEquals(\"10\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n String string0 = FormatUtil.formatString(\"\");\n String string1 = FormatUtil.formatString(\"1\", \"Y*<9+?&8OZt3J6t+#\");\n assertEquals(\"Y*<9+?&8OZt3J6t+#\", string1);\n \n String string2 = FormatUtil.padAP((-1));\n assertEquals(\" AM\", string2);\n \n String string3 = FormatUtil.formatString(\"\");\n assertEquals(\"00\", string3);\n \n String string4 = FormatUtil.pad((-54229));\n assertEquals(\"0-54229\", string4);\n \n String string5 = FormatUtil.padHour(27871);\n assertEquals(\"27859\", string5);\n \n String string6 = FormatUtil.week2String(27871);\n assertFalse(string6.equals((Object)string0));\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n FormatUtil.formatString(\"\");\n String string0 = FormatUtil.padHour(1);\n assertEquals(\"1\", string0);\n \n String string1 = FormatUtil.week2String(1);\n assertEquals(\"\\u65E5\", string1);\n \n FormatUtil formatUtil0 = new FormatUtil();\n String string2 = FormatUtil.formatString(\"1\", \"Y*<9+?&8OZt3J6t+#\");\n assertEquals(\"Y*<9+?&8OZt3J6t+#\", string2);\n \n String string3 = FormatUtil.padAP((-1));\n assertEquals(\" AM\", string3);\n \n String string4 = FormatUtil.formatString(\"\");\n assertEquals(\"00\", string4);\n \n String string5 = FormatUtil.pad((-54229));\n assertEquals(\"0-54229\", string5);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n String string0 = FormatUtil.formatString(\"\", \"\");\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n String string0 = FormatUtil.padAP(0);\n assertEquals(\" AM\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n String string0 = FormatUtil.padAP(12);\n assertEquals(\" PM\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n String string0 = FormatUtil.padAP(578);\n assertEquals(\" PM\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n String string0 = FormatUtil.padHour(12);\n assertEquals(\"12\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n String string0 = FormatUtil.padHour(0);\n assertEquals(\"12\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n String string0 = FormatUtil.pad(578);\n assertEquals(\"578\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 08:43:05 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class FormatUtil_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"FormatUtil\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprx74lbud\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FormatUtil_ESTest_scaffolding.class.getClassLoader() ,\n \"FormatUtil\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FormatUtil_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"FormatUtil\"\n );\n }\n}\n", "class_idx": 93} {"class_name": "TypeSurrogateConstants", "java_source": "/*\n * @(#)TypeSurrogateConstants.java\t1.0\n *\n * Created on September 18, 2008, 12:59 PM\n *\n * Copyright 2008 NeXtreme Innovations, Inc. All rights reserved.\n * \"NeXtreme Innovations\" PROPRIETARY/CONFIDENTIAL. Use is subject\n * to license terms.\n */\n\n/**\n * Provides constant definitions for various classes\n *\n * @version 1.0, September 18, 2008\n */\npublic final class TypeSurrogateConstants {\n /** Absolute minimum id that can be assigned to a user defined type. */\n public static final short FirstTypeHandle = Short.MIN_VALUE;\n\n /** Minimum id that can be assigned to a user defined type. */\n public static final short MinTypeHandle = Short.MIN_VALUE + 4096;\n\n /** Maximum id that can be assigned to a user defined type. */\n public static final short MaxTypeHandle = Short.MAX_VALUE;\n}\n", "jasm_code": ".version 52 0 \n.class public final super TypeSurrogateConstants \n.super java/lang/Object \n.field public static final FirstTypeHandle S = -32768 \n.field public static final MinTypeHandle S = -28672 \n.field public static final MaxTypeHandle S = 32767 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TypeSurrogateConstants.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 22:02:22 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TypeSurrogateConstants_ESTest extends TypeSurrogateConstants_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TypeSurrogateConstants typeSurrogateConstants0 = new TypeSurrogateConstants();\n assertEquals((short) (-32768), TypeSurrogateConstants.FirstTypeHandle);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 22:02:22 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TypeSurrogateConstants_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TypeSurrogateConstants\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6bjafgmu\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TypeSurrogateConstants_ESTest_scaffolding.class.getClassLoader() ,\n \"TypeSurrogateConstants\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TypeSurrogateConstants_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TypeSurrogateConstants\"\n );\n }\n}\n", "class_idx": 94} {"class_name": "DataInputPlus", "java_source": "import java.io.BufferedReader;\nimport java.io.IOException;\nimport java.io.InputStreamReader;\n\n/** Based on class: ua.com.glybovets.arrays.DataInput */\npublic final class DataInputPlus {\n public static Long getLong(String prompt) {\n String s = getString(prompt);\n while (!isInt(s)) {\n System.out.println(\"Input isn't long!\");\n s = getString(prompt);\n }\n return Long.valueOf(s);\n }\n\n public static char getChar(String prompt) {\n String s = getString(prompt);\n return s != null ? s.charAt(0) : 0;\n }\n\n public static Integer getInt(String prompt) {\n String s = getString(prompt);\n while (!isInt(s)) {\n System.out.println(\"Input isn't integer!\");\n s = getString(prompt);\n }\n return Integer.valueOf(s);\n }\n\n public static String getString(String prompt) {\n System.out.print(prompt);\n InputStreamReader isr = new InputStreamReader(System.in);\n BufferedReader br = new BufferedReader(isr);\n String s = null;\n try {\n s = br.readLine();\n } catch (IOException e) {\n e.printStackTrace();\n }\n return s;\n }\n\n public static double getDouble(String prompt) {\n String s = getString(prompt);\n while (!isDouble(s)) {\n System.out.println(\"Input isn't double!\");\n s = getString(prompt);\n }\n return Double.valueOf(s);\n }\n\n public static boolean isDouble(String str) {\n return str.matches(\"-?\\\\d+(\\\\.\\\\d+)?\");\n }\n\n public static boolean isInt(String str) {\n return str.matches(\"-?\\\\d+\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super DataInputPlus \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getLong : (Ljava/lang/String;)Ljava/lang/Long; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; \nL4: astore_1 \n\n .stack append Object java/lang/String \nL5: aload_1 \nL6: invokestatic Method DataInputPlus isInt (Ljava/lang/String;)Z \nL9: ifne L28 \nL12: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL15: ldc \"Input isn't long!\" \nL17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL20: aload_0 \nL21: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; \nL24: astore_1 \nL25: goto L5 \n\n .stack same \nL28: aload_1 \nL29: invokestatic Method java/lang/Long valueOf (Ljava/lang/String;)Ljava/lang/Long; \nL32: areturn \nL33: \n .linenumbertable \n L0 13 \n L5 14 \n L12 15 \n L20 16 \n L28 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getChar : (Ljava/lang/String;)C \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; \nL4: astore_1 \nL5: aload_1 \nL6: ifnull L17 \nL9: aload_1 \nL10: iconst_0 \nL11: invokevirtual Method java/lang/String charAt (I)C \nL14: goto L18 \n\n .stack append Object java/lang/String \nL17: iconst_0 \n\n .stack stack_1 Integer \nL18: ireturn \nL19: \n .linenumbertable \n L0 22 \n L5 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getInt : (Ljava/lang/String;)Ljava/lang/Integer; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; \nL4: astore_1 \n\n .stack append Object java/lang/String \nL5: aload_1 \nL6: invokestatic Method DataInputPlus isInt (Ljava/lang/String;)Z \nL9: ifne L28 \nL12: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL15: ldc \"Input isn't integer!\" \nL17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL20: aload_0 \nL21: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; \nL24: astore_1 \nL25: goto L5 \n\n .stack same \nL28: aload_1 \nL29: invokestatic Method java/lang/Integer valueOf (Ljava/lang/String;)Ljava/lang/Integer; \nL32: areturn \nL33: \n .linenumbertable \n L0 27 \n L5 28 \n L12 29 \n L20 30 \n L28 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getString : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 5 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: aload_0 \nL4: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL7: new java/io/InputStreamReader \nL10: dup \nL11: getstatic Field java/lang/System in Ljava/io/InputStream; \nL14: invokespecial Method java/io/InputStreamReader (Ljava/io/InputStream;)V \nL17: astore_1 \nL18: new java/io/BufferedReader \nL21: dup \nL22: aload_1 \nL23: invokespecial Method java/io/BufferedReader (Ljava/io/Reader;)V \nL26: astore_2 \nL27: aconst_null \nL28: astore_3 \n .catch java/io/IOException from L29 to L34 using L37 \nL29: aload_2 \nL30: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String; \nL33: astore_3 \nL34: goto L44 \n\n .stack full \n locals Object java/lang/String Object java/io/InputStreamReader Object java/io/BufferedReader Object java/lang/String \n stack Object java/io/IOException \n .end stack \nL37: astore 4 \nL39: aload 4 \nL41: invokevirtual Method java/io/IOException printStackTrace ()V \n\n .stack same \nL44: aload_3 \nL45: areturn \nL46: \n .linenumbertable \n L0 37 \n L7 38 \n L18 39 \n L27 40 \n L29 42 \n L34 45 \n L37 43 \n L39 44 \n L44 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getDouble : (Ljava/lang/String;)D \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; \nL4: astore_1 \n\n .stack append Object java/lang/String \nL5: aload_1 \nL6: invokestatic Method DataInputPlus isDouble (Ljava/lang/String;)Z \nL9: ifne L28 \nL12: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL15: ldc \"Input isn't double!\" \nL17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL20: aload_0 \nL21: invokestatic Method DataInputPlus getString (Ljava/lang/String;)Ljava/lang/String; \nL24: astore_1 \nL25: goto L5 \n\n .stack same \nL28: aload_1 \nL29: invokestatic Method java/lang/Double valueOf (Ljava/lang/String;)Ljava/lang/Double; \nL32: invokevirtual Method java/lang/Double doubleValue ()D \nL35: dreturn \nL36: \n .linenumbertable \n L0 50 \n L5 51 \n L12 52 \n L20 53 \n L28 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public static isDouble : (Ljava/lang/String;)Z \n .code stack 2 locals 1 \nL0: aload_0 \nL1: ldc '-?\\\\d+(\\\\.\\\\d+)?' \nL3: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z \nL6: ireturn \nL7: \n .linenumbertable \n L0 59 \n .end linenumbertable \n .end code \n.end method \n\n.method public static isInt : (Ljava/lang/String;)Z \n .code stack 2 locals 1 \nL0: aload_0 \nL1: ldc '-?\\\\d+' \nL3: invokevirtual Method java/lang/String matches (Ljava/lang/String;)Z \nL6: ireturn \nL7: \n .linenumbertable \n L0 63 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DataInputPlus.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 11:02:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DataInputPlus_ESTest extends DataInputPlus_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n SystemInUtil.addInputLine(\"\");\n // Undeclared exception!\n try { \n DataInputPlus.getInt(\"\");\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n SystemInUtil.addInputLine(\"0\");\n DataInputPlus.getInt(\"0\");\n SystemInUtil.addInputLine(\"0\");\n double double0 = DataInputPlus.getDouble(\"n #Bs!qw\");\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n SystemInUtil.addInputLine(\"\");\n // Undeclared exception!\n try { \n DataInputPlus.getLong(\"-?d+\");\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n boolean boolean0 = DataInputPlus.isInt(\"\");\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n boolean boolean0 = DataInputPlus.isDouble(\"6\");\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n SystemInUtil.addInputLine(\"h-rx+Y{\");\n String string0 = DataInputPlus.getString(\"h-rx+Y{\");\n assertEquals(\"h-rx+Y{\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n SystemInUtil.addInputLine(\"\");\n String string0 = DataInputPlus.getString(\"DataInputPlus\");\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n SystemInUtil.addInputLine(\"0\");\n char char0 = DataInputPlus.getChar(\"^[YXzn\u007f@n@\");\n assertEquals('0', char0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n SystemInUtil.addInputLine(\"r&-{>(8PJ\");\n char char0 = DataInputPlus.getChar(\"r&-{>(8PJ\");\n assertEquals('r', char0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n boolean boolean0 = DataInputPlus.isDouble(\"\");\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n String string0 = DataInputPlus.getString(\"\");\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n boolean boolean0 = DataInputPlus.isInt(\"0\");\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n SystemInUtil.addInputLine(\"SXHS$m#>7m,\");\n // Undeclared exception!\n try { \n DataInputPlus.getDouble(\"J+xwA{YY\");\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n SystemInUtil.addInputLine(\";T9%O)6O\");\n char char0 = DataInputPlus.getChar(\"\");\n assertEquals(';', char0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n char char0 = DataInputPlus.getChar(\"\");\n assertEquals('\\u0000', char0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n SystemInUtil.addInputLine(\"0\");\n Long long0 = DataInputPlus.getLong(\"-?d+\");\n assertEquals(0L, (long)long0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n DataInputPlus dataInputPlus0 = new DataInputPlus();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 11:02:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DataInputPlus_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DataInputPlus\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmplao7i3ly\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DataInputPlus_ESTest_scaffolding.class.getClassLoader() ,\n \"DataInputPlus\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DataInputPlus_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DataInputPlus\"\n );\n }\n}\n", "class_idx": 95} {"class_name": "Pack", "java_source": "/*\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * Please send inquiries to huber AT ut DOT ee\n */\n\nimport java.io.Serializable;\n\n/**\n * @author Huber Flores\n */\npublic class Pack implements Serializable {\n private static final long serialVersionUID = 1;\n String RTT = null;\n\n public Pack(String rtt) {\n this.RTT = rtt;\n }\n\n public String getRTT() {\n return this.RTT;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Pack \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = 1L \n.field RTT Ljava/lang/String; \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aconst_null \nL6: putfield Field Pack RTT Ljava/lang/String; \nL9: aload_0 \nL10: aload_1 \nL11: putfield Field Pack RTT Ljava/lang/String; \nL14: return \nL15: \n .linenumbertable \n L0 27 \n L4 24 \n L9 28 \n L14 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRTT : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Pack RTT Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Pack.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 19:29:52 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Pack_ESTest extends Pack_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Pack pack0 = new Pack(\"g,$*b2Ex~Lyl74{vb>\");\n pack0.RTT = \"g,$*b2Ex~Lyl74{vb>\";\n pack0.RTT = \"g,$*b2Ex~Lyl74{vb>\";\n pack0.RTT = \"g,$*b2Ex~Lyl74{vb>\";\n pack0.RTT = null;\n String string0 = pack0.getRTT();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Pack pack0 = new Pack(\"g,$*b2Ex~Lyl74{vb>\");\n pack0.RTT = \"g,$*b2Ex~Lyl74{vb>\";\n pack0.RTT = \"g,$*b2Ex~Lyl74{vb>\";\n pack0.RTT = \"g,$*b2Ex~Lyl74{vb>\";\n pack0.RTT = null;\n pack0.RTT = \"\";\n String string0 = pack0.getRTT();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Pack pack0 = new Pack(\"1){>[Pmyy\");\n String string0 = pack0.getRTT();\n assertEquals(\"1){>[Pmyy\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 19:29:52 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Pack_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Pack\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkg09ls76\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Pack_ESTest_scaffolding.class.getClassLoader() ,\n \"Pack\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Pack_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Pack\"\n );\n }\n}\n", "class_idx": 96} {"class_name": "EXTVorbis", "java_source": "/*\n * Copyright LWJGL. All rights reserved.\n * License terms: https://www.lwjgl.org/license\n * MACHINE GENERATED FILE, DO NOT EDIT\n */\n\n/** Native bindings to the {@code AL_EXT_vorbis} extension. */\npublic final class EXTVorbis {\n\n /** {@code AL_EXT_vorbis} tokens. */\n public static final int AL_FORMAT_VORBIS_EXT = 0x10003;\n\n private EXTVorbis() {}\n}\n", "jasm_code": ".version 52 0 \n.class public final super EXTVorbis \n.super java/lang/Object \n.field public static final AL_FORMAT_VORBIS_EXT I = 65539 \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 14 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'EXTVorbis.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 18:01:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class EXTVorbis_ESTest extends EXTVorbis_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 18:01:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class EXTVorbis_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"EXTVorbis\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EXTVorbis_ESTest_scaffolding.class.getClassLoader() ,\n \"EXTVorbis\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EXTVorbis_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"EXTVorbis\"\n );\n }\n}\n", "class_idx": 97} {"class_name": "LocalDateTime1", "java_source": "import java.time.DayOfWeek;\nimport java.time.Instant;\nimport java.time.LocalDateTime;\nimport java.time.Month;\nimport java.time.ZoneId;\nimport java.time.format.DateTimeFormatter;\nimport java.time.temporal.ChronoField;\nimport java.util.Date;\n\n/**\n * @author Benjamin Winterberg\n */\npublic class LocalDateTime1 {\n\n public static void main(String[] args) {\n\n LocalDateTime sylvester = LocalDateTime.of(2014, Month.DECEMBER, 31, 23, 59, 59);\n\n DayOfWeek dayOfWeek = sylvester.getDayOfWeek();\n System.out.println(dayOfWeek); // WEDNESDAY\n\n Month month = sylvester.getMonth();\n System.out.println(month); // DECEMBER\n\n long minuteOfDay = sylvester.getLong(ChronoField.MINUTE_OF_DAY);\n System.out.println(minuteOfDay); // 1439\n\n Instant instant = sylvester.atZone(ZoneId.systemDefault()).toInstant();\n\n Date legacyDate = Date.from(instant);\n System.out.println(legacyDate); // Wed Dec 31 23:59:59 CET 2014\n\n DateTimeFormatter formatter = DateTimeFormatter.ofPattern(\"MMM dd, yyyy - HH:mm\");\n\n LocalDateTime parsed = LocalDateTime.parse(\"Nov 03, 2014 - 07:13\", formatter);\n String string = parsed.format(formatter);\n System.out.println(string); // Nov 03, 2014 - 07:13\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super LocalDateTime1 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 6 locals 11 \nL0: sipush 2014 \nL3: getstatic Field java/time/Month DECEMBER Ljava/time/Month; \nL6: bipush 31 \nL8: bipush 23 \nL10: bipush 59 \nL12: bipush 59 \nL14: invokestatic Method java/time/LocalDateTime of (ILjava/time/Month;IIII)Ljava/time/LocalDateTime; \nL17: astore_1 \nL18: aload_1 \nL19: invokevirtual Method java/time/LocalDateTime getDayOfWeek ()Ljava/time/DayOfWeek; \nL22: astore_2 \nL23: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL26: aload_2 \nL27: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL30: aload_1 \nL31: invokevirtual Method java/time/LocalDateTime getMonth ()Ljava/time/Month; \nL34: astore_3 \nL35: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL38: aload_3 \nL39: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL42: aload_1 \nL43: getstatic Field java/time/temporal/ChronoField MINUTE_OF_DAY Ljava/time/temporal/ChronoField; \nL46: invokevirtual Method java/time/LocalDateTime getLong (Ljava/time/temporal/TemporalField;)J \nL49: lstore 4 \nL51: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL54: lload 4 \nL56: invokevirtual Method java/io/PrintStream println (J)V \nL59: aload_1 \nL60: invokestatic Method java/time/ZoneId systemDefault ()Ljava/time/ZoneId; \nL63: invokevirtual Method java/time/LocalDateTime atZone (Ljava/time/ZoneId;)Ljava/time/ZonedDateTime; \nL66: invokevirtual Method java/time/ZonedDateTime toInstant ()Ljava/time/Instant; \nL69: astore 6 \nL71: aload 6 \nL73: invokestatic Method java/util/Date from (Ljava/time/Instant;)Ljava/util/Date; \nL76: astore 7 \nL78: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL81: aload 7 \nL83: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL86: ldc 'MMM dd, yyyy - HH:mm' \nL88: invokestatic Method java/time/format/DateTimeFormatter ofPattern (Ljava/lang/String;)Ljava/time/format/DateTimeFormatter; \nL91: astore 8 \nL93: ldc 'Nov 03, 2014 - 07:13' \nL95: aload 8 \nL97: invokestatic Method java/time/LocalDateTime parse (Ljava/lang/CharSequence;Ljava/time/format/DateTimeFormatter;)Ljava/time/LocalDateTime; \nL100: astore 9 \nL102: aload 9 \nL104: aload 8 \nL106: invokevirtual Method java/time/LocalDateTime format (Ljava/time/format/DateTimeFormatter;)Ljava/lang/String; \nL109: astore 10 \nL111: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL114: aload 10 \nL116: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL119: return \nL120: \n .linenumbertable \n L0 19 \n L18 21 \n L23 22 \n L30 24 \n L35 25 \n L42 27 \n L51 28 \n L59 30 \n L60 31 \n L66 32 \n L71 34 \n L78 35 \n L86 38 \n L88 40 \n L93 42 \n L102 43 \n L111 44 \n L119 45 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'LocalDateTime1.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 13:43:55 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class LocalDateTime1_ESTest extends LocalDateTime1_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LocalDateTime1 localDateTime1_0 = new LocalDateTime1();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[1];\n LocalDateTime1.main(stringArray0);\n LocalDateTime1.main(stringArray0);\n assertEquals(1, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 13:43:55 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class LocalDateTime1_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"LocalDateTime1\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp33sfigac\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LocalDateTime1_ESTest_scaffolding.class.getClassLoader() ,\n \"LocalDateTime1\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LocalDateTime1_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"LocalDateTime1\"\n );\n }\n}\n", "class_idx": 98} {"class_name": "Logic", "java_source": "import java.util.Collection;\nimport java.util.HashSet;\nimport java.util.Set;\n\npublic class Logic {\n\n // @SafeVarargs\n public static Collection retain(Collection first, Collection... sets) {\n Set result = new HashSet(first);\n for (Collection set : sets) {\n result.retainAll(set);\n }\n return result;\n }\n\n // @SafeVarargs\n public static Collection remove(Collection first, Collection... sets) {\n Set result = new HashSet(first);\n for (Collection set : sets) {\n result.removeAll(set);\n }\n return result;\n }\n\n public static boolean hasOverlap(Collection source, Collection... toBeChecked) {\n for (T t : source) {\n for (Collection l : toBeChecked) {\n for (T r : l) {\n if (t.equals(r)) return true;\n }\n }\n }\n return false;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Logic \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public static varargs retain : (Ljava/util/Collection;[Ljava/util/Collection;)Ljava/util/Collection; \n .code stack 3 locals 7 \nL0: new java/util/HashSet \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/util/HashSet (Ljava/util/Collection;)V \nL8: astore_2 \nL9: aload_1 \nL10: astore_3 \nL11: aload_3 \nL12: arraylength \nL13: istore 4 \nL15: iconst_0 \nL16: istore 5 \n\n .stack full \n locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Set Object [Ljava/util/Collection; Integer Integer \n stack \n .end stack \nL18: iload 5 \nL20: iload 4 \nL22: if_icmpge L46 \nL25: aload_3 \nL26: iload 5 \nL28: aaload \nL29: astore 6 \nL31: aload_2 \nL32: aload 6 \nL34: invokeinterface InterfaceMethod java/util/Set retainAll (Ljava/util/Collection;)Z 2 \nL39: pop \nL40: iinc 5 1 \nL43: goto L18 \n\n .stack chop 3 \nL46: aload_2 \nL47: areturn \nL48: \n .linenumbertable \n L0 11 \n L9 12 \n L31 13 \n L40 12 \n L46 15 \n .end linenumbertable \n .end code \n .signature '(Ljava/util/Collection;[Ljava/util/Collection;)Ljava/util/Collection;' \n.end method \n\n.method public static varargs remove : (Ljava/util/Collection;[Ljava/util/Collection;)Ljava/util/Collection; \n .code stack 3 locals 7 \nL0: new java/util/HashSet \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/util/HashSet (Ljava/util/Collection;)V \nL8: astore_2 \nL9: aload_1 \nL10: astore_3 \nL11: aload_3 \nL12: arraylength \nL13: istore 4 \nL15: iconst_0 \nL16: istore 5 \n\n .stack full \n locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Set Object [Ljava/util/Collection; Integer Integer \n stack \n .end stack \nL18: iload 5 \nL20: iload 4 \nL22: if_icmpge L46 \nL25: aload_3 \nL26: iload 5 \nL28: aaload \nL29: astore 6 \nL31: aload_2 \nL32: aload 6 \nL34: invokeinterface InterfaceMethod java/util/Set removeAll (Ljava/util/Collection;)Z 2 \nL39: pop \nL40: iinc 5 1 \nL43: goto L18 \n\n .stack chop 3 \nL46: aload_2 \nL47: areturn \nL48: \n .linenumbertable \n L0 20 \n L9 21 \n L31 22 \n L40 21 \n L46 24 \n .end linenumbertable \n .end code \n .signature '(Ljava/util/Collection;[Ljava/util/Collection;)Ljava/util/Collection;' \n.end method \n\n.method public static varargs hasOverlap : (Ljava/util/Collection;[Ljava/util/Collection;)Z \n .code stack 2 locals 10 \nL0: aload_0 \nL1: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 \nL6: astore_2 \n\n .stack append Object java/util/Iterator \nL7: aload_2 \nL8: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL13: ifeq L99 \nL16: aload_2 \nL17: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL22: astore_3 \nL23: aload_1 \nL24: astore 4 \nL26: aload 4 \nL28: arraylength \nL29: istore 5 \nL31: iconst_0 \nL32: istore 6 \n\n .stack full \n locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Iterator Object java/lang/Object Object [Ljava/util/Collection; Integer Integer \n stack \n .end stack \nL34: iload 6 \nL36: iload 5 \nL38: if_icmpge L96 \nL41: aload 4 \nL43: iload 6 \nL45: aaload \nL46: astore 7 \nL48: aload 7 \nL50: invokeinterface InterfaceMethod java/util/Collection iterator ()Ljava/util/Iterator; 1 \nL55: astore 8 \n\n .stack append Object java/util/Collection Object java/util/Iterator \nL57: aload 8 \nL59: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL64: ifeq L90 \nL67: aload 8 \nL69: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL74: astore 9 \nL76: aload_3 \nL77: aload 9 \nL79: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z \nL82: ifeq L87 \nL85: iconst_1 \nL86: ireturn \n\n .stack same \nL87: goto L57 \n\n .stack chop 2 \nL90: iinc 6 1 \nL93: goto L34 \n\n .stack full \n locals Object java/util/Collection Object [Ljava/util/Collection; Object java/util/Iterator \n stack \n .end stack \nL96: goto L7 \n\n .stack chop 1 \nL99: iconst_0 \nL100: ireturn \nL101: \n .linenumbertable \n L0 28 \n L23 29 \n L48 30 \n L76 31 \n L85 32 \n L87 33 \n L90 29 \n L96 35 \n L99 36 \n .end linenumbertable \n .end code \n .signature '(Ljava/util/Collection;[Ljava/util/Collection;)Z' \n.end method \n.sourcefile 'Logic.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 05:55:20 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.lang.reflect.Array;\nimport java.util.Collection;\nimport java.util.LinkedList;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Logic_ESTest extends Logic_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Integer integer0 = new Integer((-67643));\n linkedList0.add(integer0);\n Collection[] collectionArray0 = (Collection[]) Array.newInstance(Collection.class, 2);\n collectionArray0[0] = (Collection) linkedList0;\n collectionArray0[1] = (Collection) linkedList0;\n boolean boolean0 = Logic.hasOverlap((Collection) linkedList0, collectionArray0);\n Logic.retain((Collection) linkedList0, collectionArray0);\n LinkedList linkedList1 = new LinkedList();\n Collection[] collectionArray1 = (Collection[]) Array.newInstance(Collection.class, 1);\n boolean boolean1 = Logic.hasOverlap((Collection) linkedList1, collectionArray1);\n assertFalse(boolean1 == boolean0);\n \n Collection collection0 = Logic.remove(collectionArray0[0], collectionArray0);\n assertFalse(collection0.contains((-67643)));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Collection[] collectionArray0 = (Collection[]) Array.newInstance(Collection.class, 0);\n Object object0 = new Object();\n linkedList0.add(object0);\n linkedList0.add((Object) null);\n Logic.hasOverlap((Collection) linkedList0, collectionArray0);\n Logic.retain((Collection) linkedList0, collectionArray0);\n Logic logic0 = new Logic();\n LinkedList linkedList1 = new LinkedList();\n Collection[] collectionArray1 = (Collection[]) Array.newInstance(Collection.class, 2);\n collectionArray1[0] = (Collection) linkedList1;\n collectionArray1[1] = (Collection) linkedList1;\n Logic.remove((Collection) linkedList1, collectionArray1);\n boolean boolean0 = Logic.hasOverlap(collectionArray1[0], collectionArray1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Collection[] collectionArray0 = (Collection[]) Array.newInstance(Collection.class, 1);\n collectionArray0[0] = (Collection) linkedList0;\n Collection collection0 = Logic.remove(collectionArray0[0], collectionArray0);\n assertNotNull(collection0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Integer integer0 = new Integer((-67643));\n linkedList0.add(integer0);\n Collection[] collectionArray0 = (Collection[]) Array.newInstance(Collection.class, 2);\n collectionArray0[0] = (Collection) linkedList0;\n collectionArray0[1] = (Collection) linkedList0;\n Integer integer1 = new Integer(29991);\n linkedList0.add(integer1);\n Collection collection0 = Logic.retain((Collection) linkedList0, collectionArray0);\n boolean boolean0 = Logic.hasOverlap(collection0, collectionArray0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n Collection[] collectionArray0 = (Collection[]) Array.newInstance(Collection.class, 2);\n collectionArray0[0] = (Collection) linkedList0;\n LinkedList linkedList1 = new LinkedList();\n linkedList1.add(\"gDXhBCMsE\u007f(Oz: x^\");\n collectionArray0[1] = (Collection) linkedList1;\n boolean boolean0 = Logic.hasOverlap(collectionArray0[1], collectionArray0);\n assertTrue(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 05:55:20 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Logic_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Logic\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpzwx7v3e3\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Logic_ESTest_scaffolding.class.getClassLoader() ,\n \"Logic\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Logic_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Logic\"\n );\n }\n}\n", "class_idx": 99} {"class_name": "SystemDiskSpaceChecker", "java_source": "/*\n * Copyright 2020 ThoughtWorks, Inc.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.io.File;\n\npublic class SystemDiskSpaceChecker {\n public long getUsableSpace(File targetFolder) {\n long usableSpace = targetFolder.getUsableSpace();\n if (usableSpace < 0) {\n // See https://bugs.openjdk.java.net/browse/JDK-8162520\n usableSpace = Long.MAX_VALUE;\n }\n return usableSpace;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SystemDiskSpaceChecker \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUsableSpace : (Ljava/io/File;)J \n .code stack 4 locals 4 \nL0: aload_1 \nL1: invokevirtual Method java/io/File getUsableSpace ()J \nL4: lstore_2 \nL5: lload_2 \nL6: lconst_0 \nL7: lcmp \nL8: ifge L15 \nL11: ldc2_w 9223372036854775807L \nL14: lstore_2 \n\n .stack append Long \nL15: lload_2 \nL16: lreturn \nL17: \n .linenumbertable \n L0 22 \n L5 23 \n L11 25 \n L15 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SystemDiskSpaceChecker.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 19:05:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.io.MockFile;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SystemDiskSpaceChecker_ESTest extends SystemDiskSpaceChecker_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemDiskSpaceChecker systemDiskSpaceChecker0 = new SystemDiskSpaceChecker();\n MockFile mockFile0 = new MockFile(\"f/x\", \"f/x\");\n long long0 = systemDiskSpaceChecker0.getUsableSpace(mockFile0);\n assertEquals(0L, long0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 19:05:14 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SystemDiskSpaceChecker_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SystemDiskSpaceChecker\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpgama_zfo\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SystemDiskSpaceChecker_ESTest_scaffolding.class.getClassLoader() ,\n \"SystemDiskSpaceChecker\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SystemDiskSpaceChecker_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SystemDiskSpaceChecker\"\n );\n }\n}\n", "class_idx": 100} {"class_name": "MainActivity", "java_source": "/*\n *\n * * Copyright (C) 2015 eveR V\u00e1squez.\n * *\n * * Licensed under the Apache License, Version 2.0 (the \"License\");\n * * you may not use this file except in compliance with the License.\n * * You may obtain a copy of the License at\n * *\n * * http://www.apache.org/licenses/LICENSE-2.0\n * *\n * * Unless required by applicable law or agreed to in writing, software\n * * distributed under the License is distributed on an \"AS IS\" BASIS,\n * * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * * See the License for the specific language governing permissions and\n * * limitations under the License.\n *\n */\n\npublic class MainActivity {}\n", "jasm_code": ".version 52 0 \n.class public super MainActivity \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MainActivity.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 13:31:08 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MainActivity_ESTest extends MainActivity_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MainActivity mainActivity0 = new MainActivity();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 13:31:08 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MainActivity_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MainActivity\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpdv57odk8\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MainActivity_ESTest_scaffolding.class.getClassLoader() ,\n \"MainActivity\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MainActivity_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MainActivity\"\n );\n }\n}\n", "class_idx": 101} {"class_name": "Solution", "java_source": "import java.io.InputStream;\nimport java.io.PrintStream;\nimport java.math.BigInteger;\nimport java.util.ArrayList;\nimport java.util.List;\nimport java.util.Scanner;\n\n/** https://www.hackerrank.com/challenges/manasa-and-stones */\npublic class Solution {\n private static InputStream inOverride = null;\n private static PrintStream outOverride = null;\n\n public static void main(String[] args) {\n if (null == inOverride) {\n inOverride = System.in;\n }\n if (null == outOverride) {\n outOverride = System.out;\n }\n Scanner in = new Scanner(inOverride);\n int t = in.nextInt();\n for (int i = 0; i < t; i++) {\n int n = in.nextInt();\n int a = in.nextInt();\n int b = in.nextInt();\n for (BigInteger value : manasaAndStones(n, a, b)) {\n outOverride.print(value);\n outOverride.print(\" \");\n }\n outOverride.println();\n }\n }\n\n private static List manasaAndStones(int n, int a, int b) {\n List result = new ArrayList<>();\n if (a > b) {\n int exchange = a;\n a = b;\n b = exchange;\n }\n BigInteger current = BigInteger.valueOf(a * (n - 1));\n BigInteger delta = BigInteger.valueOf(b - a);\n result.add(current);\n if (a != b) {\n for (int i = 0; i < n - 1; i++) {\n current = current.add(delta);\n result.add(current);\n }\n }\n return result;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Solution \n.super java/lang/Object \n.field private static inOverride Ljava/io/InputStream; \n.field private static outOverride Ljava/io/PrintStream; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 9 \nL0: aconst_null \nL1: getstatic Field Solution inOverride Ljava/io/InputStream; \nL4: if_acmpne L13 \nL7: getstatic Field java/lang/System in Ljava/io/InputStream; \nL10: putstatic Field Solution inOverride Ljava/io/InputStream; \n\n .stack same \nL13: aconst_null \nL14: getstatic Field Solution outOverride Ljava/io/PrintStream; \nL17: if_acmpne L26 \nL20: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL23: putstatic Field Solution outOverride Ljava/io/PrintStream; \n\n .stack same \nL26: new java/util/Scanner \nL29: dup \nL30: getstatic Field Solution inOverride Ljava/io/InputStream; \nL33: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL36: astore_1 \nL37: aload_1 \nL38: invokevirtual Method java/util/Scanner nextInt ()I \nL41: istore_2 \nL42: iconst_0 \nL43: istore_3 \n\n .stack append Object java/util/Scanner Integer Integer \nL44: iload_3 \nL45: iload_2 \nL46: if_icmpge L136 \nL49: aload_1 \nL50: invokevirtual Method java/util/Scanner nextInt ()I \nL53: istore 4 \nL55: aload_1 \nL56: invokevirtual Method java/util/Scanner nextInt ()I \nL59: istore 5 \nL61: aload_1 \nL62: invokevirtual Method java/util/Scanner nextInt ()I \nL65: istore 6 \nL67: iload 4 \nL69: iload 5 \nL71: iload 6 \nL73: invokestatic Method Solution manasaAndStones (III)Ljava/util/List; \nL76: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL81: astore 7 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Integer Integer Integer Object java/util/Iterator \n stack \n .end stack \nL83: aload 7 \nL85: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL90: ifeq L124 \nL93: aload 7 \nL95: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL100: checkcast java/math/BigInteger \nL103: astore 8 \nL105: getstatic Field Solution outOverride Ljava/io/PrintStream; \nL108: aload 8 \nL110: invokevirtual Method java/io/PrintStream print (Ljava/lang/Object;)V \nL113: getstatic Field Solution outOverride Ljava/io/PrintStream; \nL116: ldc ' ' \nL118: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL121: goto L83 \n\n .stack chop 1 \nL124: getstatic Field Solution outOverride Ljava/io/PrintStream; \nL127: invokevirtual Method java/io/PrintStream println ()V \nL130: iinc 3 1 \nL133: goto L44 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer \n stack \n .end stack \nL136: return \nL137: \n .linenumbertable \n L0 18 \n L7 19 \n L13 21 \n L20 22 \n L26 24 \n L37 25 \n L42 26 \n L49 27 \n L55 28 \n L61 29 \n L67 30 \n L105 31 \n L113 32 \n L121 33 \n L124 34 \n L130 26 \n L136 36 \n .end linenumbertable \n .end code \n.end method \n\n.method private static manasaAndStones : (III)Ljava/util/List; \n .code stack 3 locals 7 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_3 \nL8: iload_1 \nL9: iload_2 \nL10: if_icmple L21 \nL13: iload_1 \nL14: istore 4 \nL16: iload_2 \nL17: istore_1 \nL18: iload 4 \nL20: istore_2 \n\n .stack append Object java/util/List \nL21: iload_1 \nL22: iload_0 \nL23: iconst_1 \nL24: isub \nL25: imul \nL26: i2l \nL27: invokestatic Method java/math/BigInteger valueOf (J)Ljava/math/BigInteger; \nL30: astore 4 \nL32: iload_2 \nL33: iload_1 \nL34: isub \nL35: i2l \nL36: invokestatic Method java/math/BigInteger valueOf (J)Ljava/math/BigInteger; \nL39: astore 5 \nL41: aload_3 \nL42: aload 4 \nL44: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL49: pop \nL50: iload_1 \nL51: iload_2 \nL52: if_icmpeq L90 \nL55: iconst_0 \nL56: istore 6 \n\n .stack append Object java/math/BigInteger Object java/math/BigInteger Integer \nL58: iload 6 \nL60: iload_0 \nL61: iconst_1 \nL62: isub \nL63: if_icmpge L90 \nL66: aload 4 \nL68: aload 5 \nL70: invokevirtual Method java/math/BigInteger add (Ljava/math/BigInteger;)Ljava/math/BigInteger; \nL73: astore 4 \nL75: aload_3 \nL76: aload 4 \nL78: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL83: pop \nL84: iinc 6 1 \nL87: goto L58 \n\n .stack chop 1 \nL90: aload_3 \nL91: areturn \nL92: \n .linenumbertable \n L0 39 \n L8 40 \n L13 41 \n L16 42 \n L18 43 \n L21 45 \n L32 46 \n L41 47 \n L50 48 \n L55 49 \n L66 50 \n L75 51 \n L84 49 \n L90 54 \n .end linenumbertable \n .end code \n .signature (III)Ljava/util/List; \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: aconst_null \nL1: putstatic Field Solution inOverride Ljava/io/InputStream; \nL4: aconst_null \nL5: putstatic Field Solution outOverride Ljava/io/PrintStream; \nL8: return \nL9: \n .linenumbertable \n L0 14 \n L4 15 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Solution.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 20:38:41 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.NoSuchElementException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Solution_ESTest extends Solution_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInUtil.addInputLine(\"3\");\n String[] stringArray0 = new String[3];\n // Undeclared exception!\n try { \n Solution.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SystemInUtil.addInputLine(\"3\");\n String[] stringArray0 = new String[3];\n SystemInUtil.addInputLine(\"3\");\n SystemInUtil.addInputLine(\"3\");\n // Undeclared exception!\n try { \n Solution.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Solution solution0 = new Solution();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 20:38:41 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Solution_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Solution\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp68p1q5in\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Solution_ESTest_scaffolding.class.getClassLoader() ,\n \"Solution\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Solution\"\n );\n }\n}\n", "class_idx": 102} {"class_name": "ProductForm", "java_source": "/** Created by ferhat on 13/2/2015. */\npublic class ProductForm {\n private final String category;\n private final String name;\n\n public ProductForm(String category, String name) {\n this.category = category;\n this.name = name;\n }\n\n public String getCategory() {\n return category;\n }\n\n public String getName() {\n return name;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ProductForm \n.super java/lang/Object \n.field private final category Ljava/lang/String; \n.field private final name Ljava/lang/String; \n\n.method public : (Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field ProductForm category Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field ProductForm name Ljava/lang/String; \nL14: return \nL15: \n .linenumbertable \n L0 10 \n L4 11 \n L9 12 \n L14 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCategory : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ProductForm category Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ProductForm name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ProductForm.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 19:16:26 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ProductForm_ESTest extends ProductForm_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ProductForm productForm0 = new ProductForm(\"\", (String) null);\n String string0 = productForm0.getName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n ProductForm productForm0 = new ProductForm(\"HAI_tA?~YT=}\", \"HAI_tA?~YT=}\");\n String string0 = productForm0.getName();\n assertEquals(\"HAI_tA?~YT=}\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n ProductForm productForm0 = new ProductForm((String) null, (String) null);\n String string0 = productForm0.getCategory();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n ProductForm productForm0 = new ProductForm(\"\", \"\");\n String string0 = productForm0.getCategory();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n ProductForm productForm0 = new ProductForm(\"\", \"\");\n String string0 = productForm0.getName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n ProductForm productForm0 = new ProductForm(\"!,C\", \"!,C\");\n String string0 = productForm0.getCategory();\n assertEquals(\"!,C\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 19:16:26 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ProductForm_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ProductForm\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp2eqk5cxp\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ProductForm_ESTest_scaffolding.class.getClassLoader() ,\n \"ProductForm\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ProductForm_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ProductForm\"\n );\n }\n}\n", "class_idx": 103} {"class_name": "BearAndSteadyGene", "java_source": "import java.util.Scanner;\n\n/** Created by emiliot on 5/20/16. */\npublic class BearAndSteadyGene {\n\n public static void main(String args[]) {\n Scanner sc = new Scanner(System.in);\n\n int n = sc.nextInt(), res = 0;\n StringBuffer s = new StringBuffer(sc.next());\n\n int acumA[] = new int[s.length() + 1];\n int acumC[] = new int[s.length() + 1];\n int acumT[] = new int[s.length() + 1];\n int acumG[] = new int[s.length() + 1];\n\n for (int i = 1; i <= s.length(); ++i) {\n char next = s.charAt(i - 1);\n acumA[i] = acumA[i - 1] + (next == 'A' ? 1 : 0);\n acumC[i] = acumC[i - 1] + (next == 'C' ? 1 : 0);\n acumT[i] = acumT[i - 1] + (next == 'T' ? 1 : 0);\n acumG[i] = acumG[i - 1] + (next == 'G' ? 1 : 0);\n }\n\n int target = n / 4;\n int a = Math.max(0, acumA[s.length()] - target),\n c = Math.max(0, acumC[s.length()] - target),\n t = Math.max(0, acumT[s.length()] - target),\n g = Math.max(0, acumG[s.length()] - target);\n\n int low = a + c + t + g, high = n + 1;\n while (high - low >= 1) {\n int mid = (high + low) / 2;\n boolean ok = false;\n\n for (int k = 0, m = n - mid; k <= m && !ok; ++k) {\n int partial = 0;\n if (acumA[k + mid] - acumA[k] >= a) partial++;\n if (acumC[k + mid] - acumC[k] >= c) partial++;\n if (acumT[k + mid] - acumT[k] >= t) partial++;\n if (acumG[k + mid] - acumG[k] >= g) partial++;\n\n ok = partial >= 4;\n }\n\n if (ok) high = mid;\n else low = mid + 1;\n }\n res = low;\n\n System.out.println(res);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BearAndSteadyGene \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 5 locals 21 \nL0: new java/util/Scanner \nL3: dup \nL4: getstatic Field java/lang/System in Ljava/io/InputStream; \nL7: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL10: astore_1 \nL11: aload_1 \nL12: invokevirtual Method java/util/Scanner nextInt ()I \nL15: istore_2 \nL16: iconst_0 \nL17: istore_3 \nL18: new java/lang/StringBuffer \nL21: dup \nL22: aload_1 \nL23: invokevirtual Method java/util/Scanner next ()Ljava/lang/String; \nL26: invokespecial Method java/lang/StringBuffer (Ljava/lang/String;)V \nL29: astore 4 \nL31: aload 4 \nL33: invokevirtual Method java/lang/StringBuffer length ()I \nL36: iconst_1 \nL37: iadd \nL38: newarray int \nL40: astore 5 \nL42: aload 4 \nL44: invokevirtual Method java/lang/StringBuffer length ()I \nL47: iconst_1 \nL48: iadd \nL49: newarray int \nL51: astore 6 \nL53: aload 4 \nL55: invokevirtual Method java/lang/StringBuffer length ()I \nL58: iconst_1 \nL59: iadd \nL60: newarray int \nL62: astore 7 \nL64: aload 4 \nL66: invokevirtual Method java/lang/StringBuffer length ()I \nL69: iconst_1 \nL70: iadd \nL71: newarray int \nL73: astore 8 \nL75: iconst_1 \nL76: istore 9 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer \n stack \n .end stack \nL78: iload 9 \nL80: aload 4 \nL82: invokevirtual Method java/lang/StringBuffer length ()I \nL85: if_icmpgt L205 \nL88: aload 4 \nL90: iload 9 \nL92: iconst_1 \nL93: isub \nL94: invokevirtual Method java/lang/StringBuffer charAt (I)C \nL97: istore 10 \nL99: aload 5 \nL101: iload 9 \nL103: aload 5 \nL105: iload 9 \nL107: iconst_1 \nL108: isub \nL109: iaload \nL110: iload 10 \nL112: bipush 65 \nL114: if_icmpne L121 \nL117: iconst_1 \nL118: goto L122 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer \n .end stack \nL121: iconst_0 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer Integer \n .end stack \nL122: iadd \nL123: iastore \nL124: aload 6 \nL126: iload 9 \nL128: aload 6 \nL130: iload 9 \nL132: iconst_1 \nL133: isub \nL134: iaload \nL135: iload 10 \nL137: bipush 67 \nL139: if_icmpne L146 \nL142: iconst_1 \nL143: goto L147 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer \n .end stack \nL146: iconst_0 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer Integer \n .end stack \nL147: iadd \nL148: iastore \nL149: aload 7 \nL151: iload 9 \nL153: aload 7 \nL155: iload 9 \nL157: iconst_1 \nL158: isub \nL159: iaload \nL160: iload 10 \nL162: bipush 84 \nL164: if_icmpne L171 \nL167: iconst_1 \nL168: goto L172 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer \n .end stack \nL171: iconst_0 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer Integer \n .end stack \nL172: iadd \nL173: iastore \nL174: aload 8 \nL176: iload 9 \nL178: aload 8 \nL180: iload 9 \nL182: iconst_1 \nL183: isub \nL184: iaload \nL185: iload 10 \nL187: bipush 71 \nL189: if_icmpne L196 \nL192: iconst_1 \nL193: goto L197 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer \n .end stack \nL196: iconst_0 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer \n stack Object [I Integer Integer Integer \n .end stack \nL197: iadd \nL198: iastore \nL199: iinc 9 1 \nL202: goto L78 \n\n .stack chop 2 \nL205: iload_2 \nL206: iconst_4 \nL207: idiv \nL208: istore 9 \nL210: iconst_0 \nL211: aload 5 \nL213: aload 4 \nL215: invokevirtual Method java/lang/StringBuffer length ()I \nL218: iaload \nL219: iload 9 \nL221: isub \nL222: invokestatic Method java/lang/Math max (II)I \nL225: istore 10 \nL227: iconst_0 \nL228: aload 6 \nL230: aload 4 \nL232: invokevirtual Method java/lang/StringBuffer length ()I \nL235: iaload \nL236: iload 9 \nL238: isub \nL239: invokestatic Method java/lang/Math max (II)I \nL242: istore 11 \nL244: iconst_0 \nL245: aload 7 \nL247: aload 4 \nL249: invokevirtual Method java/lang/StringBuffer length ()I \nL252: iaload \nL253: iload 9 \nL255: isub \nL256: invokestatic Method java/lang/Math max (II)I \nL259: istore 12 \nL261: iconst_0 \nL262: aload 8 \nL264: aload 4 \nL266: invokevirtual Method java/lang/StringBuffer length ()I \nL269: iaload \nL270: iload 9 \nL272: isub \nL273: invokestatic Method java/lang/Math max (II)I \nL276: istore 13 \nL278: iload 10 \nL280: iload 11 \nL282: iadd \nL283: iload 12 \nL285: iadd \nL286: iload 13 \nL288: iadd \nL289: istore 14 \nL291: iload_2 \nL292: iconst_1 \nL293: iadd \nL294: istore 15 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer Integer Integer Integer Integer Integer \n stack \n .end stack \nL296: iload 15 \nL298: iload 14 \nL300: isub \nL301: iconst_1 \nL302: if_icmplt L469 \nL305: iload 15 \nL307: iload 14 \nL309: iadd \nL310: iconst_2 \nL311: idiv \nL312: istore 16 \nL314: iconst_0 \nL315: istore 17 \nL317: iconst_0 \nL318: istore 18 \nL320: iload_2 \nL321: iload 16 \nL323: isub \nL324: istore 19 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/lang/StringBuffer Object [I Object [I Object [I Object [I Integer Integer Integer Integer Integer Integer Integer Integer Integer Integer Integer \n stack \n .end stack \nL326: iload 18 \nL328: iload 19 \nL330: if_icmpgt L448 \nL333: iload 17 \nL335: ifne L448 \nL338: iconst_0 \nL339: istore 20 \nL341: aload 5 \nL343: iload 18 \nL345: iload 16 \nL347: iadd \nL348: iaload \nL349: aload 5 \nL351: iload 18 \nL353: iaload \nL354: isub \nL355: iload 10 \nL357: if_icmplt L363 \nL360: iinc 20 1 \n\n .stack append Integer \nL363: aload 6 \nL365: iload 18 \nL367: iload 16 \nL369: iadd \nL370: iaload \nL371: aload 6 \nL373: iload 18 \nL375: iaload \nL376: isub \nL377: iload 11 \nL379: if_icmplt L385 \nL382: iinc 20 1 \n\n .stack same \nL385: aload 7 \nL387: iload 18 \nL389: iload 16 \nL391: iadd \nL392: iaload \nL393: aload 7 \nL395: iload 18 \nL397: iaload \nL398: isub \nL399: iload 12 \nL401: if_icmplt L407 \nL404: iinc 20 1 \n\n .stack same \nL407: aload 8 \nL409: iload 18 \nL411: iload 16 \nL413: iadd \nL414: iaload \nL415: aload 8 \nL417: iload 18 \nL419: iaload \nL420: isub \nL421: iload 13 \nL423: if_icmplt L429 \nL426: iinc 20 1 \n\n .stack same \nL429: iload 20 \nL431: iconst_4 \nL432: if_icmplt L439 \nL435: iconst_1 \nL436: goto L440 \n\n .stack same \nL439: iconst_0 \n\n .stack stack_1 Integer \nL440: istore 17 \nL442: iinc 18 1 \nL445: goto L326 \n\n .stack chop 3 \nL448: iload 17 \nL450: ifeq L460 \nL453: iload 16 \nL455: istore 15 \nL457: goto L466 \n\n .stack same \nL460: iload 16 \nL462: iconst_1 \nL463: iadd \nL464: istore 14 \n\n .stack chop 2 \nL466: goto L296 \n\n .stack same \nL469: iload 14 \nL471: istore_3 \nL472: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL475: iload_3 \nL476: invokevirtual Method java/io/PrintStream println (I)V \nL479: return \nL480: \n .linenumbertable \n L0 9 \n L11 11 \n L18 12 \n L31 14 \n L42 15 \n L53 16 \n L64 17 \n L75 19 \n L88 20 \n L99 21 \n L124 22 \n L149 23 \n L174 24 \n L199 19 \n L205 27 \n L210 28 \n L227 29 \n L244 30 \n L261 31 \n L278 33 \n L296 34 \n L305 35 \n L314 36 \n L317 38 \n L338 39 \n L341 40 \n L363 41 \n L385 42 \n L407 43 \n L429 45 \n L442 38 \n L448 48 \n L460 49 \n L466 50 \n L469 51 \n L472 53 \n L479 54 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BearAndSteadyGene.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 20:34:25 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.NoSuchElementException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BearAndSteadyGene_ESTest extends BearAndSteadyGene_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInUtil.addInputLine(\"73\");\n // Undeclared exception!\n try { \n BearAndSteadyGene.main((String[]) null);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SystemInUtil.addInputLine(\"73\");\n SystemInUtil.addInputLine(\"73\");\n String[] stringArray0 = new String[2];\n // Undeclared exception!\n try { \n BearAndSteadyGene.main(stringArray0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 37\n //\n verifyException(\"BearAndSteadyGene\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n BearAndSteadyGene bearAndSteadyGene0 = new BearAndSteadyGene();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 20:34:25 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BearAndSteadyGene_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BearAndSteadyGene\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1bd2vfzi\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BearAndSteadyGene_ESTest_scaffolding.class.getClassLoader() ,\n \"BearAndSteadyGene\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BearAndSteadyGene_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BearAndSteadyGene\"\n );\n }\n}\n", "class_idx": 104} {"class_name": "SystemInfo", "java_source": "/*\n * Copyright (c) 2019 - Manifold Systems LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.util.Locale;\n\npublic class SystemInfo {\n public static final String OS_NAME = System.getProperty(\"os.name\");\n public static final String OS_VERSION = System.getProperty(\"os.version\").toLowerCase(Locale.US);\n\n private static final String _OS_NAME = OS_NAME.toLowerCase(Locale.US);\n public static final boolean isWindows = _OS_NAME.startsWith(\"windows\");\n public static final boolean isMac = _OS_NAME.startsWith(\"mac\");\n public static final boolean isLinux = _OS_NAME.startsWith(\"linux\");\n public static final boolean isFreeBSD = _OS_NAME.startsWith(\"freebsd\");\n public static final boolean isSolaris = _OS_NAME.startsWith(\"sunos\");\n public static final boolean isUnix = !isWindows;\n\n public static final boolean isFileSystemCaseSensitive = isUnix && !isMac;\n\n private static final String ARCH_DATA_MODEL = System.getProperty(\"sun.arch.data.model\");\n public static final boolean is32Bit = ARCH_DATA_MODEL == null || ARCH_DATA_MODEL.equals(\"32\");\n public static final boolean is64Bit = !is32Bit;\n}\n", "jasm_code": ".version 52 0 \n.class public super SystemInfo \n.super java/lang/Object \n.field public static final OS_NAME Ljava/lang/String; \n.field public static final OS_VERSION Ljava/lang/String; \n.field private static final _OS_NAME Ljava/lang/String; \n.field public static final isWindows Z \n.field public static final isMac Z \n.field public static final isLinux Z \n.field public static final isFreeBSD Z \n.field public static final isSolaris Z \n.field public static final isUnix Z \n.field public static final isFileSystemCaseSensitive Z \n.field private static final ARCH_DATA_MODEL Ljava/lang/String; \n.field public static final is32Bit Z \n.field public static final is64Bit Z \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 2 locals 0 \nL0: ldc 'os.name' \nL2: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String; \nL5: putstatic Field SystemInfo OS_NAME Ljava/lang/String; \nL8: ldc 'os.version' \nL10: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String; \nL13: getstatic Field java/util/Locale US Ljava/util/Locale; \nL16: invokevirtual Method java/lang/String toLowerCase (Ljava/util/Locale;)Ljava/lang/String; \nL19: putstatic Field SystemInfo OS_VERSION Ljava/lang/String; \nL22: getstatic Field SystemInfo OS_NAME Ljava/lang/String; \nL25: getstatic Field java/util/Locale US Ljava/util/Locale; \nL28: invokevirtual Method java/lang/String toLowerCase (Ljava/util/Locale;)Ljava/lang/String; \nL31: putstatic Field SystemInfo _OS_NAME Ljava/lang/String; \nL34: getstatic Field SystemInfo _OS_NAME Ljava/lang/String; \nL37: ldc 'windows' \nL39: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z \nL42: putstatic Field SystemInfo isWindows Z \nL45: getstatic Field SystemInfo _OS_NAME Ljava/lang/String; \nL48: ldc 'mac' \nL50: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z \nL53: putstatic Field SystemInfo isMac Z \nL56: getstatic Field SystemInfo _OS_NAME Ljava/lang/String; \nL59: ldc 'linux' \nL61: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z \nL64: putstatic Field SystemInfo isLinux Z \nL67: getstatic Field SystemInfo _OS_NAME Ljava/lang/String; \nL70: ldc 'freebsd' \nL72: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z \nL75: putstatic Field SystemInfo isFreeBSD Z \nL78: getstatic Field SystemInfo _OS_NAME Ljava/lang/String; \nL81: ldc 'sunos' \nL83: invokevirtual Method java/lang/String startsWith (Ljava/lang/String;)Z \nL86: putstatic Field SystemInfo isSolaris Z \nL89: getstatic Field SystemInfo isWindows Z \nL92: ifne L99 \nL95: iconst_1 \nL96: goto L100 \n\n .stack same_extended \nL99: iconst_0 \n\n .stack stack_1 Integer \nL100: putstatic Field SystemInfo isUnix Z \nL103: getstatic Field SystemInfo isUnix Z \nL106: ifeq L119 \nL109: getstatic Field SystemInfo isMac Z \nL112: ifne L119 \nL115: iconst_1 \nL116: goto L120 \n\n .stack same \nL119: iconst_0 \n\n .stack stack_1 Integer \nL120: putstatic Field SystemInfo isFileSystemCaseSensitive Z \nL123: ldc 'sun.arch.data.model' \nL125: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String; \nL128: putstatic Field SystemInfo ARCH_DATA_MODEL Ljava/lang/String; \nL131: getstatic Field SystemInfo ARCH_DATA_MODEL Ljava/lang/String; \nL134: ifnull L148 \nL137: getstatic Field SystemInfo ARCH_DATA_MODEL Ljava/lang/String; \nL140: ldc '32' \nL142: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL145: ifeq L152 \n\n .stack same \nL148: iconst_1 \nL149: goto L153 \n\n .stack same \nL152: iconst_0 \n\n .stack stack_1 Integer \nL153: putstatic Field SystemInfo is32Bit Z \nL156: getstatic Field SystemInfo is32Bit Z \nL159: ifne L166 \nL162: iconst_1 \nL163: goto L167 \n\n .stack same \nL166: iconst_0 \n\n .stack stack_1 Integer \nL167: putstatic Field SystemInfo is64Bit Z \nL170: return \nL171: \n .linenumbertable \n L0 23 \n L8 24 \n L22 26 \n L34 27 \n L45 28 \n L56 29 \n L67 30 \n L78 31 \n L89 32 \n L103 34 \n L123 36 \n L131 37 \n L156 38 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SystemInfo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 10:47:52 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SystemInfo_ESTest extends SystemInfo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInfo systemInfo0 = new SystemInfo();\n assertFalse(SystemInfo.isSolaris);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 10:47:52 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SystemInfo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SystemInfo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpse1h3tym\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n java.lang.System.setProperty(\"sun.arch.data.model\", \"64\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SystemInfo_ESTest_scaffolding.class.getClassLoader() ,\n \"SystemInfo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SystemInfo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SystemInfo\"\n );\n }\n}\n", "class_idx": 105} {"class_name": "InstanceBean2", "java_source": "/**\n * @author Adam Warski (adam at warski dot org)\n */\npublic class InstanceBean2 {\n public String getData() {\n return \"b\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super InstanceBean2 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public getData : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: ldc 'b' \nL2: areturn \nL3: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'InstanceBean2.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:43:15 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class InstanceBean2_ESTest extends InstanceBean2_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n InstanceBean2 instanceBean2_0 = new InstanceBean2();\n String string0 = instanceBean2_0.getData();\n assertEquals(\"b\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 22:43:15 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class InstanceBean2_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"InstanceBean2\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpvo0x5jie\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InstanceBean2_ESTest_scaffolding.class.getClassLoader() ,\n \"InstanceBean2\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InstanceBean2_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"InstanceBean2\"\n );\n }\n}\n", "class_idx": 106} {"class_name": "TeeOutputStream", "java_source": "import java.io.IOException;\nimport java.io.OutputStream;\n\n/**\n * Output to two different output streams\n *\n * @author pcingola\n */\npublic class TeeOutputStream extends OutputStream {\n\n OutputStream ostream1, ostream2;\n\n public TeeOutputStream(OutputStream o1, OutputStream o2) {\n ostream1 = o1;\n ostream2 = o2;\n }\n\n @Override\n public void close() throws IOException {\n // Do not close if they are STDOUT or STDERR\n if ((ostream1 != System.out) && (ostream1 != System.err)) ostream1.close();\n if ((ostream1 != System.out) && (ostream1 != System.err)) ostream2.close();\n }\n\n @Override\n public void flush() throws IOException {\n ostream1.flush();\n ostream2.flush();\n }\n\n @Override\n public void write(byte[] b) throws IOException {\n ostream1.write(b);\n ostream2.write(b);\n }\n\n @Override\n public void write(byte[] b, int off, int len) throws IOException {\n ostream1.write(b, off, len);\n ostream2.write(b, off, len);\n }\n\n @Override\n public void write(int b) throws IOException {\n ostream1.write(b);\n ostream2.write(b);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super TeeOutputStream \n.super java/io/OutputStream \n.field ostream1 Ljava/io/OutputStream; \n.field ostream2 Ljava/io/OutputStream; \n\n.method public : (Ljava/io/OutputStream;Ljava/io/OutputStream;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/io/OutputStream ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field TeeOutputStream ostream2 Ljava/io/OutputStream; \nL14: return \nL15: \n .linenumbertable \n L0 15 \n L4 16 \n L9 17 \n L14 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public close : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL4: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL7: if_acmpeq L27 \nL10: aload_0 \nL11: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL14: getstatic Field java/lang/System err Ljava/io/PrintStream; \nL17: if_acmpeq L27 \nL20: aload_0 \nL21: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL24: invokevirtual Method java/io/OutputStream close ()V \n\n .stack same \nL27: aload_0 \nL28: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL31: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL34: if_acmpeq L54 \nL37: aload_0 \nL38: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL41: getstatic Field java/lang/System err Ljava/io/PrintStream; \nL44: if_acmpeq L54 \nL47: aload_0 \nL48: getfield Field TeeOutputStream ostream2 Ljava/io/OutputStream; \nL51: invokevirtual Method java/io/OutputStream close ()V \n\n .stack same \nL54: return \nL55: \n .linenumbertable \n L0 23 \n L27 24 \n L54 25 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public flush : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL4: invokevirtual Method java/io/OutputStream flush ()V \nL7: aload_0 \nL8: getfield Field TeeOutputStream ostream2 Ljava/io/OutputStream; \nL11: invokevirtual Method java/io/OutputStream flush ()V \nL14: return \nL15: \n .linenumbertable \n L0 29 \n L7 30 \n L14 31 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public write : ([B)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL4: aload_1 \nL5: invokevirtual Method java/io/OutputStream write ([B)V \nL8: aload_0 \nL9: getfield Field TeeOutputStream ostream2 Ljava/io/OutputStream; \nL12: aload_1 \nL13: invokevirtual Method java/io/OutputStream write ([B)V \nL16: return \nL17: \n .linenumbertable \n L0 35 \n L8 36 \n L16 37 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public write : ([BII)V \n .code stack 4 locals 4 \nL0: aload_0 \nL1: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL4: aload_1 \nL5: iload_2 \nL6: iload_3 \nL7: invokevirtual Method java/io/OutputStream write ([BII)V \nL10: aload_0 \nL11: getfield Field TeeOutputStream ostream2 Ljava/io/OutputStream; \nL14: aload_1 \nL15: iload_2 \nL16: iload_3 \nL17: invokevirtual Method java/io/OutputStream write ([BII)V \nL20: return \nL21: \n .linenumbertable \n L0 41 \n L10 42 \n L20 43 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public write : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field TeeOutputStream ostream1 Ljava/io/OutputStream; \nL4: iload_1 \nL5: invokevirtual Method java/io/OutputStream write (I)V \nL8: aload_0 \nL9: getfield Field TeeOutputStream ostream2 Ljava/io/OutputStream; \nL12: iload_1 \nL13: invokevirtual Method java/io/OutputStream write (I)V \nL16: return \nL17: \n .linenumbertable \n L0 47 \n L8 48 \n L16 49 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'TeeOutputStream.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 01:09:31 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.io.MockPrintStream;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TeeOutputStream_ESTest extends TeeOutputStream_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockPrintStream mockPrintStream0 = new MockPrintStream(\"_\u007fMaF-?NX\");\n TeeOutputStream teeOutputStream0 = new TeeOutputStream(mockPrintStream0, mockPrintStream0);\n teeOutputStream0.close();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MockPrintStream mockPrintStream0 = new MockPrintStream(\"_\u007fMaF-?NX\");\n TeeOutputStream teeOutputStream0 = new TeeOutputStream(mockPrintStream0, mockPrintStream0);\n teeOutputStream0.flush();\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MockPrintStream mockPrintStream0 = new MockPrintStream(\"_\u007fMaF-?NX\");\n TeeOutputStream teeOutputStream0 = new TeeOutputStream(mockPrintStream0, mockPrintStream0);\n teeOutputStream0.write(0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n MockPrintStream mockPrintStream0 = new MockPrintStream(\"_\u007fMaF-?NX\");\n TeeOutputStream teeOutputStream0 = new TeeOutputStream(mockPrintStream0, mockPrintStream0);\n byte[] byteArray0 = new byte[5];\n teeOutputStream0.write(byteArray0);\n assertArrayEquals(new byte[] {(byte)0, (byte)0, (byte)0, (byte)0, (byte)0}, byteArray0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n MockPrintStream mockPrintStream0 = new MockPrintStream(\"_\u007fMaF-?NX\");\n TeeOutputStream teeOutputStream0 = new TeeOutputStream(mockPrintStream0, mockPrintStream0);\n byte[] byteArray0 = new byte[5];\n teeOutputStream0.write(byteArray0, (int) (byte)0, (int) (byte)0);\n assertArrayEquals(new byte[] {(byte)0, (byte)0, (byte)0, (byte)0, (byte)0}, byteArray0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 01:09:31 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TeeOutputStream_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TeeOutputStream\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpcco2tp4f\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TeeOutputStream_ESTest_scaffolding.class.getClassLoader() ,\n \"TeeOutputStream\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TeeOutputStream_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TeeOutputStream\"\n );\n }\n}\n", "class_idx": 107} {"class_name": "AuthorInformation", "java_source": "/*\n Copyright 2011-2014 Red Hat, Inc\n\n This file is part of PressGang CCMS.\n\n PressGang CCMS is free software: you can redistribute it and/or modify\n it under the terms of the GNU Lesser General Public License as published by\n the Free Software Foundation, either version 3 of the License, or\n (at your option) any later version.\n\n PressGang CCMS is distributed in the hope that it will be useful,\n but WITHOUT ANY WARRANTY; without even the implied warranty of\n MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n GNU Lesser General Public License for more details.\n\n You should have received a copy of the GNU Lesser General Public License\n along with PressGang CCMS. If not, see .\n*/\n\npublic class AuthorInformation {\n\n private Integer authorTagId = null;\n private String firstName = null;\n private String lastName = null;\n private String email = null;\n private String organization = null;\n private String orgDivision = null;\n\n public AuthorInformation() {}\n\n public AuthorInformation(\n final Integer authorId, final String firstName, final String lastName, final String email) {\n authorTagId = authorId;\n this.firstName = firstName;\n this.lastName = lastName;\n this.email = email;\n }\n\n public int getAuthorId() {\n return authorTagId;\n }\n\n public void setAuthorId(final int authorId) {\n authorTagId = authorId;\n }\n\n public String getFirstName() {\n return firstName;\n }\n\n public void setFirstName(final String firstName) {\n this.firstName = firstName;\n }\n\n public String getLastName() {\n return lastName;\n }\n\n public void setLastName(final String lastName) {\n this.lastName = lastName;\n }\n\n public String getEmail() {\n return email;\n }\n\n public void setEmail(final String email) {\n this.email = email;\n }\n\n public String getOrganization() {\n return organization;\n }\n\n public void setOrganization(final String organization) {\n this.organization = organization;\n }\n\n public String getOrgDivision() {\n return orgDivision;\n }\n\n public void setOrgDivision(final String orgDivision) {\n this.orgDivision = orgDivision;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super AuthorInformation \n.super java/lang/Object \n.field private authorTagId Ljava/lang/Integer; \n.field private firstName Ljava/lang/String; \n.field private lastName Ljava/lang/String; \n.field private email Ljava/lang/String; \n.field private organization Ljava/lang/String; \n.field private orgDivision Ljava/lang/String; \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aconst_null \nL6: putfield Field AuthorInformation authorTagId Ljava/lang/Integer; \nL9: aload_0 \nL10: aconst_null \nL11: putfield Field AuthorInformation firstName Ljava/lang/String; \nL14: aload_0 \nL15: aconst_null \nL16: putfield Field AuthorInformation lastName Ljava/lang/String; \nL19: aload_0 \nL20: aconst_null \nL21: putfield Field AuthorInformation email Ljava/lang/String; \nL24: aload_0 \nL25: aconst_null \nL26: putfield Field AuthorInformation organization Ljava/lang/String; \nL29: aload_0 \nL30: aconst_null \nL31: putfield Field AuthorInformation orgDivision Ljava/lang/String; \nL34: return \nL35: \n .linenumbertable \n L0 31 \n L4 24 \n L9 25 \n L14 26 \n L19 27 \n L24 28 \n L29 29 \n L34 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Integer;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aconst_null \nL6: putfield Field AuthorInformation authorTagId Ljava/lang/Integer; \nL9: aload_0 \nL10: aconst_null \nL11: putfield Field AuthorInformation firstName Ljava/lang/String; \nL14: aload_0 \nL15: aconst_null \nL16: putfield Field AuthorInformation lastName Ljava/lang/String; \nL19: aload_0 \nL20: aconst_null \nL21: putfield Field AuthorInformation email Ljava/lang/String; \nL24: aload_0 \nL25: aconst_null \nL26: putfield Field AuthorInformation organization Ljava/lang/String; \nL29: aload_0 \nL30: aconst_null \nL31: putfield Field AuthorInformation orgDivision Ljava/lang/String; \nL34: aload_0 \nL35: aload_1 \nL36: putfield Field AuthorInformation authorTagId Ljava/lang/Integer; \nL39: aload_0 \nL40: aload_2 \nL41: putfield Field AuthorInformation firstName Ljava/lang/String; \nL44: aload_0 \nL45: aload_3 \nL46: putfield Field AuthorInformation lastName Ljava/lang/String; \nL49: aload_0 \nL50: aload 4 \nL52: putfield Field AuthorInformation email Ljava/lang/String; \nL55: return \nL56: \n .linenumbertable \n L0 34 \n L4 24 \n L9 25 \n L14 26 \n L19 27 \n L24 28 \n L29 29 \n L34 35 \n L39 36 \n L44 37 \n L49 38 \n L55 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAuthorId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AuthorInformation authorTagId Ljava/lang/Integer; \nL4: invokevirtual Method java/lang/Integer intValue ()I \nL7: ireturn \nL8: \n .linenumbertable \n L0 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public setAuthorId : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL5: putfield Field AuthorInformation authorTagId Ljava/lang/Integer; \nL8: return \nL9: \n .linenumbertable \n L0 46 \n L8 47 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFirstName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AuthorInformation firstName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public setFirstName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AuthorInformation firstName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 54 \n L5 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLastName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AuthorInformation lastName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLastName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AuthorInformation lastName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 62 \n L5 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEmail : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AuthorInformation email Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 66 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEmail : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AuthorInformation email Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 70 \n L5 71 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOrganization : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AuthorInformation organization Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 74 \n .end linenumbertable \n .end code \n.end method \n\n.method public setOrganization : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AuthorInformation organization Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 78 \n L5 79 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOrgDivision : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AuthorInformation orgDivision Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 82 \n .end linenumbertable \n .end code \n.end method \n\n.method public setOrgDivision : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AuthorInformation orgDivision Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 86 \n L5 87 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'AuthorInformation.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:06:20 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class AuthorInformation_ESTest extends AuthorInformation_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n authorInformation0.setOrganization(\"\");\n String string0 = authorInformation0.getOrganization();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n authorInformation0.setOrgDivision(\"V.nW|qtl/y|L\");\n String string0 = authorInformation0.getOrgDivision();\n assertEquals(\"V.nW|qtl/y|L\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n authorInformation0.setOrgDivision(\"\");\n String string0 = authorInformation0.getOrgDivision();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Integer integer0 = new Integer(0);\n AuthorInformation authorInformation0 = new AuthorInformation(integer0, (String) null, \"\", \"\");\n String string0 = authorInformation0.getLastName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n String string0 = authorInformation0.getFirstName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Integer integer0 = new Integer(18235);\n AuthorInformation authorInformation0 = new AuthorInformation(integer0, \"nioz IA6h#_baA\", \"nioz IA6h#_baA\", \"E$g)1,GX7VLY\");\n authorInformation0.setFirstName(\"\");\n String string0 = authorInformation0.getFirstName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n String string0 = authorInformation0.getEmail();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Integer integer0 = new Integer(0);\n AuthorInformation authorInformation0 = new AuthorInformation(integer0, \"/o=iOax\", \"/o=iOax\", \"/o=iOax\");\n int int0 = authorInformation0.getAuthorId();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Integer integer0 = new Integer((-1122));\n AuthorInformation authorInformation0 = new AuthorInformation(integer0, \"\", \"\", \"\");\n int int0 = authorInformation0.getAuthorId();\n assertEquals((-1122), int0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n String string0 = authorInformation0.getLastName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n authorInformation0.setAuthorId(0);\n assertEquals(0, authorInformation0.getAuthorId());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n String string0 = authorInformation0.getOrganization();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n authorInformation0.setEmail(\"\");\n String string0 = authorInformation0.getEmail();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n authorInformation0.setOrganization(\"c[;o\");\n String string0 = authorInformation0.getOrganization();\n assertEquals(\"c[;o\", string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n String string0 = authorInformation0.getOrgDivision();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n AuthorInformation authorInformation0 = new AuthorInformation();\n authorInformation0.setLastName(\" : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 4 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BuildConfig.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 15:06:17 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BuildConfig buildConfig0 = new BuildConfig();\n assertTrue(BuildConfig.DEBUG);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 15:06:17 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BuildConfig_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BuildConfig\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp0ia4iksw\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuildConfig_ESTest_scaffolding.class.getClassLoader() ,\n \"BuildConfig\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuildConfig_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BuildConfig\"\n );\n }\n}\n", "class_idx": 109} {"class_name": "CountingSort17", "java_source": "import java.util.Arrays;\n\npublic class CountingSort17 {\n\n public static void sort(final Integer[] a) {\n int min = Integer.MAX_VALUE;\n int max = Integer.MIN_VALUE;\n for (final int i : a) {\n if (i < min) {\n min = i;\n }\n if (i > max) {\n max = i;\n }\n }\n\n int span = max - min + 1;\n int counts[] = new int[span];\n\n for (final int i : a) {\n counts[i - min]++;\n }\n\n int offset = 0;\n for (int i = 0; i < counts.length; i++) {\n Arrays.fill(a, offset, offset + counts[i], i + min);\n offset += counts[i];\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CountingSort17 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method public static sort : ([Ljava/lang/Integer;)V \n .code stack 5 locals 9 \nL0: ldc 2147483647 \nL2: istore_1 \nL3: ldc -2147483648 \nL5: istore_2 \nL6: aload_0 \nL7: astore_3 \nL8: aload_3 \nL9: arraylength \nL10: istore 4 \nL12: iconst_0 \nL13: istore 5 \n\n .stack full \n locals Object [Ljava/lang/Integer; Integer Integer Object [Ljava/lang/Integer; Integer Integer \n stack \n .end stack \nL15: iload 5 \nL17: iload 4 \nL19: if_icmpge L55 \nL22: aload_3 \nL23: iload 5 \nL25: aaload \nL26: invokevirtual Method java/lang/Integer intValue ()I \nL29: istore 6 \nL31: iload 6 \nL33: iload_1 \nL34: if_icmpge L40 \nL37: iload 6 \nL39: istore_1 \n\n .stack append Integer \nL40: iload 6 \nL42: iload_2 \nL43: if_icmple L49 \nL46: iload 6 \nL48: istore_2 \n\n .stack chop 1 \nL49: iinc 5 1 \nL52: goto L15 \n\n .stack chop 3 \nL55: iload_2 \nL56: iload_1 \nL57: isub \nL58: iconst_1 \nL59: iadd \nL60: istore_3 \nL61: iload_3 \nL62: newarray int \nL64: astore 4 \nL66: aload_0 \nL67: astore 5 \nL69: aload 5 \nL71: arraylength \nL72: istore 6 \nL74: iconst_0 \nL75: istore 7 \n\n .stack full \n locals Object [Ljava/lang/Integer; Integer Integer Integer Object [I Object [Ljava/lang/Integer; Integer Integer \n stack \n .end stack \nL77: iload 7 \nL79: iload 6 \nL81: if_icmpge L111 \nL84: aload 5 \nL86: iload 7 \nL88: aaload \nL89: invokevirtual Method java/lang/Integer intValue ()I \nL92: istore 8 \nL94: aload 4 \nL96: iload 8 \nL98: iload_1 \nL99: isub \nL100: dup2 \nL101: iaload \nL102: iconst_1 \nL103: iadd \nL104: iastore \nL105: iinc 7 1 \nL108: goto L77 \n\n .stack chop 3 \nL111: iconst_0 \nL112: istore 5 \nL114: iconst_0 \nL115: istore 6 \n\n .stack append Integer Integer \nL117: iload 6 \nL119: aload 4 \nL121: arraylength \nL122: if_icmpge L162 \nL125: aload_0 \nL126: iload 5 \nL128: iload 5 \nL130: aload 4 \nL132: iload 6 \nL134: iaload \nL135: iadd \nL136: iload 6 \nL138: iload_1 \nL139: iadd \nL140: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL143: invokestatic Method java/util/Arrays fill ([Ljava/lang/Object;IILjava/lang/Object;)V \nL146: iload 5 \nL148: aload 4 \nL150: iload 6 \nL152: iaload \nL153: iadd \nL154: istore 5 \nL156: iinc 6 1 \nL159: goto L117 \n\n .stack chop 1 \nL162: return \nL163: \n .linenumbertable \n L0 8 \n L3 9 \n L6 10 \n L31 11 \n L37 12 \n L40 14 \n L46 15 \n L49 10 \n L55 19 \n L61 20 \n L66 22 \n L94 23 \n L105 22 \n L111 26 \n L114 27 \n L125 28 \n L146 29 \n L156 27 \n L162 31 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CountingSort17.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 03:47:44 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CountingSort17_ESTest extends CountingSort17_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CountingSort17 countingSort17_0 = new CountingSort17();\n Integer[] integerArray0 = new Integer[0];\n CountingSort17.sort(integerArray0);\n CountingSort17.sort(integerArray0);\n assertEquals(0, integerArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n CountingSort17 countingSort17_0 = new CountingSort17();\n Integer[] integerArray0 = new Integer[7];\n Integer integer0 = new Integer(0);\n integerArray0[0] = integer0;\n Integer integer1 = new Integer(0);\n integerArray0[1] = integer1;\n int int0 = (-1);\n Integer integer2 = new Integer((-1));\n integerArray0[2] = integer2;\n Integer integer3 = new Integer((-1));\n integerArray0[3] = integer3;\n Integer integer4 = new Integer((-65109));\n integerArray0[4] = integer4;\n Integer integer5 = new Integer(int0);\n integerArray0[5] = integer5;\n Integer integer6 = new Integer(7757);\n integerArray0[6] = integer6;\n // Undeclared exception!\n CountingSort17.sort(integerArray0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 03:47:44 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CountingSort17_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CountingSort17\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpz5f2d6nf\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CountingSort17_ESTest_scaffolding.class.getClassLoader() ,\n \"CountingSort17\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CountingSort17_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CountingSort17\"\n );\n }\n}\n", "class_idx": 110} {"class_name": "Solution", "java_source": "// Source : https://leetcode.com/problems/missing-number/\n// Author : Yijing Bai\n// Date : 2015-11-15\n\n/**********************************************************************************\n *\n * Given an array containing n distinct numbers taken from 0, 1, 2, ..., n, find the\n * one that is missing from the array.\n *\n * For example,\n * Given nums = [0, 1, 3] return 2.\n *\n * Note:\n * Your algorithm should run in linear runtime complexity. Could you implement it using\n * only constant extra space complexity?\n *\n * Credits:Special thanks to @jianchao.li.fighter for adding this problem and creating\n * all test cases.\n *\n **********************************************************************************/\n\npublic class Solution {\n public int missingNumber(int[] nums) {\n int s = 0;\n for (int i = 1; i <= nums.length; i++) {\n s += i - nums[i - 1];\n }\n return s;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Solution \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 22 \n .end linenumbertable \n .end code \n.end method \n\n.method public missingNumber : ([I)I \n .code stack 5 locals 4 \nL0: iconst_0 \nL1: istore_2 \nL2: iconst_1 \nL3: istore_3 \n\n .stack append Integer Integer \nL4: iload_3 \nL5: aload_1 \nL6: arraylength \nL7: if_icmpgt L26 \nL10: iload_2 \nL11: iload_3 \nL12: aload_1 \nL13: iload_3 \nL14: iconst_1 \nL15: isub \nL16: iaload \nL17: isub \nL18: iadd \nL19: istore_2 \nL20: iinc 3 1 \nL23: goto L4 \n\n .stack chop 1 \nL26: iload_2 \nL27: ireturn \nL28: \n .linenumbertable \n L0 24 \n L2 25 \n L10 26 \n L20 25 \n L26 28 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Solution.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 15:42:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Solution_ESTest extends Solution_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Solution solution0 = new Solution();\n int[] intArray0 = new int[8];\n int int0 = solution0.missingNumber(intArray0);\n assertEquals(36, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Solution solution0 = new Solution();\n int[] intArray0 = new int[0];\n solution0.missingNumber(intArray0);\n int[] intArray1 = new int[8];\n int int0 = solution0.missingNumber(intArray1);\n assertEquals(36, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Solution solution0 = new Solution();\n int[] intArray0 = new int[20];\n intArray0[0] = 87856;\n int int0 = solution0.missingNumber(intArray0);\n assertEquals((-87646), int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 15:42:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Solution_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Solution\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp991fxqs4\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Solution_ESTest_scaffolding.class.getClassLoader() ,\n \"Solution\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Solution\"\n );\n }\n}\n", "class_idx": 111} {"class_name": "Production1275", "java_source": "public class Production1275 {\n\n private String property0;\n\n public String getProperty0() {\n return property0;\n }\n\n public void setProperty0(String value) {\n property0 = value;\n }\n\n private String property1;\n\n public String getProperty1() {\n return property1;\n }\n\n public void setProperty1(String value) {\n property1 = value;\n }\n\n private String property2;\n\n public String getProperty2() {\n return property2;\n }\n\n public void setProperty2(String value) {\n property2 = value;\n }\n\n private String property3;\n\n public String getProperty3() {\n return property3;\n }\n\n public void setProperty3(String value) {\n property3 = value;\n }\n\n private String property4;\n\n public String getProperty4() {\n return property4;\n }\n\n public void setProperty4(String value) {\n property4 = value;\n }\n\n private String property5;\n\n public String getProperty5() {\n return property5;\n }\n\n public void setProperty5(String value) {\n property5 = value;\n }\n\n private String property6;\n\n public String getProperty6() {\n return property6;\n }\n\n public void setProperty6(String value) {\n property6 = value;\n }\n\n private String property7;\n\n public String getProperty7() {\n return property7;\n }\n\n public void setProperty7(String value) {\n property7 = value;\n }\n\n private String property8;\n\n public String getProperty8() {\n return property8;\n }\n\n public void setProperty8(String value) {\n property8 = value;\n }\n\n private String property9;\n\n public String getProperty9() {\n return property9;\n }\n\n public void setProperty9(String value) {\n property9 = value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Production1275 \n.super java/lang/Object \n.field private property0 Ljava/lang/String; \n.field private property1 Ljava/lang/String; \n.field private property2 Ljava/lang/String; \n.field private property3 Ljava/lang/String; \n.field private property4 Ljava/lang/String; \n.field private property5 Ljava/lang/String; \n.field private property6 Ljava/lang/String; \n.field private property7 Ljava/lang/String; \n.field private property8 Ljava/lang/String; \n.field private property9 Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty0 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property0 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty0 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property0 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 12 \n L5 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty1 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property1 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty1 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property1 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 22 \n L5 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty2 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property2 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty2 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property2 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 32 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty3 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property3 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty3 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property3 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 42 \n L5 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty4 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property4 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty4 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property4 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 52 \n L5 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty5 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property5 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty5 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property5 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 62 \n L5 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty6 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property6 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty6 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property6 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty7 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property7 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 78 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty7 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property7 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 82 \n L5 83 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty8 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property8 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 88 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty8 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property8 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 92 \n L5 93 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty9 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1275 property9 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty9 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1275 property9 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 102 \n L5 103 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Production1275.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 17:07:29 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Production1275_ESTest extends Production1275_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty9(\"rgp885;iZ)LB41Ai%\");\n String string0 = production1275_0.getProperty9();\n assertEquals(\"rgp885;iZ)LB41Ai%\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty9(\"\");\n String string0 = production1275_0.getProperty9();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty8(\"ZIk_NyH_$)+gQ '8\");\n String string0 = production1275_0.getProperty8();\n assertEquals(\"ZIk_NyH_$)+gQ '8\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty8(\"\");\n String string0 = production1275_0.getProperty8();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty7(\"\");\n String string0 = production1275_0.getProperty7();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty6(\"c_hfWc|6jko0O9G\");\n String string0 = production1275_0.getProperty6();\n assertEquals(\"c_hfWc|6jko0O9G\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty5(\"`t]hq%s8~H~\");\n String string0 = production1275_0.getProperty5();\n assertEquals(\"`t]hq%s8~H~\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty4(\"\");\n String string0 = production1275_0.getProperty4();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty3(\"\");\n String string0 = production1275_0.getProperty3();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty2(\"vhhl+\");\n String string0 = production1275_0.getProperty2();\n assertEquals(\"vhhl+\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty2(\"\");\n String string0 = production1275_0.getProperty2();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty1(\"t}a=f~;m{Xwx)Iu4*\");\n String string0 = production1275_0.getProperty1();\n assertEquals(\"t}a=f~;m{Xwx)Iu4*\", string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty1(\"\");\n String string0 = production1275_0.getProperty1();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty0(\"0EwZ&]m{&K{8M`w\");\n String string0 = production1275_0.getProperty0();\n assertEquals(\"0EwZ&]m{&K{8M`w\", string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty5();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty0();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty3(\"|AR-\");\n String string0 = production1275_0.getProperty3();\n assertEquals(\"|AR-\", string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty4();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty9();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty0(\"\");\n String string0 = production1275_0.getProperty0();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty1();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty4(\"2awii%v}[|+i[\");\n String string0 = production1275_0.getProperty4();\n assertEquals(\"2awii%v}[|+i[\", string0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty8();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty3();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty5(\"\");\n String string0 = production1275_0.getProperty5();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty7(\"Production1275\");\n String string0 = production1275_0.getProperty7();\n assertEquals(\"Production1275\", string0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty7();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty2();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n String string0 = production1275_0.getProperty6();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n Production1275 production1275_0 = new Production1275();\n production1275_0.setProperty6(\"\");\n String string0 = production1275_0.getProperty6();\n assertEquals(\"\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 17:07:29 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Production1275_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Production1275\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpss4p5v9u\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production1275_ESTest_scaffolding.class.getClassLoader() ,\n \"Production1275\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production1275_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Production1275\"\n );\n }\n}\n", "class_idx": 112} {"class_name": "DataNotFoundException", "java_source": "public class DataNotFoundException extends RuntimeException {\n\n private static final long serialVersionUID = -7963178563598712322L;\n\n public DataNotFoundException() {\n super();\n }\n\n public DataNotFoundException(String message, Throwable cause) {\n super(message, cause);\n }\n\n public DataNotFoundException(String message) {\n super(message);\n }\n\n public DataNotFoundException(Throwable cause) {\n super(cause);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DataNotFoundException \n.super java/lang/RuntimeException \n.field private static final serialVersionUID J = -7963178563598712322L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n L4 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 12 \n L6 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 16 \n L5 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 20 \n L5 21 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DataNotFoundException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 03:26:39 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DataNotFoundException_ESTest extends DataNotFoundException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DataNotFoundException dataNotFoundException0 = new DataNotFoundException();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n DataNotFoundException dataNotFoundException0 = new DataNotFoundException(\"\");\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable(\"\");\n DataNotFoundException dataNotFoundException0 = new DataNotFoundException(mockThrowable0);\n DataNotFoundException dataNotFoundException1 = new DataNotFoundException(\"\", dataNotFoundException0);\n assertFalse(dataNotFoundException1.equals((Object)dataNotFoundException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 03:26:39 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DataNotFoundException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DataNotFoundException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpgkmzo1yv\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DataNotFoundException_ESTest_scaffolding.class.getClassLoader() ,\n \"DataNotFoundException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DataNotFoundException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DataNotFoundException\"\n );\n }\n}\n", "class_idx": 113} {"class_name": "PermissionException", "java_source": "/**\n * This file is part of the Iritgo/Aktera Framework.\n *\n *

Copyright (C) 2005-2011 Iritgo Technologies. Copyright (C) 2003-2005 BueroByte GbR.\n *\n *

Iritgo licenses this file to You under the Apache License, Version 2.0 (the \"License\"); you\n * may not use this file except in compliance with the License. You may obtain a copy of the License\n * at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/** */\npublic class PermissionException extends RuntimeException {\n /** */\n private static final long serialVersionUID = 1L;\n\n public PermissionException() {\n super();\n }\n\n public PermissionException(String msg) {\n super(msg);\n }\n\n public PermissionException(String msg, Throwable cause) {\n super(msg, cause);\n }\n\n public PermissionException(Throwable cause) {\n super(cause);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PermissionException \n.super java/lang/RuntimeException \n.field private static final serialVersionUID J = 1L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: return \nL5: \n .linenumbertable \n L0 33 \n L4 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 38 \n L5 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 43 \n L6 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 48 \n L5 49 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PermissionException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 23:41:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PermissionException_ESTest extends PermissionException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n PermissionException permissionException0 = new PermissionException((String) null);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable();\n PermissionException permissionException0 = new PermissionException(mockThrowable0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable();\n PermissionException permissionException0 = new PermissionException((String) null, mockThrowable0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n PermissionException permissionException0 = new PermissionException();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 23:41:14 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PermissionException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PermissionException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmppx2943at\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PermissionException_ESTest_scaffolding.class.getClassLoader() ,\n \"PermissionException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PermissionException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PermissionException\"\n );\n }\n}\n", "class_idx": 114} {"class_name": "SetMatrixZero", "java_source": "import java.util.ArrayList;\n\npublic class SetMatrixZero {\n\n /**\n * Given a m * n matrix, if an element is 0, set its entire row and column to 0. Do it in place.\n * Follow up: Did you use extra space? A straight forward solution using O(mn) space is probably a\n * bad idea. A simple improvement uses O(m + n) space, but still not the best solution. Could you\n * devise a constant space solution?\n */\n\n /** time complex O(n*m) space complex O(m+n) */\n private static int[][] deleteZero(int[][] testArrary) {\n ArrayList arrayList1, arrayList2;\n arrayList1 = new ArrayList();\n arrayList2 = new ArrayList();\n int row = testArrary.length;\n int col = testArrary[0].length;\n for (int i = 0; i < row; i++) {\n for (int j = 0; j < col; j++) {\n if (testArrary[i][j] == 0) {\n arrayList1.add(i);\n arrayList2.add(j);\n }\n }\n }\n int lenRow = arrayList1.size();\n for (int i = 0; i < lenRow; i++) {\n for (int j = 0; j < col; j++) {\n testArrary[arrayList1.get(i)][j] = 0;\n }\n }\n int lenCol = arrayList2.size();\n for (int i = 0; i < lenCol; i++) {\n for (int j = 0; j < row; j++) {\n testArrary[j][arrayList2.get(i)] = 0;\n }\n }\n\n return testArrary;\n }\n\n /**\n * time complex O(n*m) space complex O(1) save the row and col number to every col or rows first\n * elements\n */\n private static int[][] deleteZero_method2(int[][] testArrary) {\n boolean isFirstRowHaveZero = false;\n boolean isFirstColHaveZero = false;\n int rowLen = testArrary.length;\n int colLen = testArrary[0].length;\n for (int i = 0; i < rowLen; i++) {\n if (testArrary[i][0] == 0) {\n isFirstColHaveZero = true;\n break;\n }\n }\n for (int i = 0; i < colLen; i++) {\n if (testArrary[0][i] == 0) {\n isFirstRowHaveZero = true;\n break;\n }\n }\n for (int i = 0; i < rowLen; i++) {\n for (int j = 0; j < colLen; j++) {\n if (testArrary[i][j] == 0) {\n testArrary[0][j] = 0;\n testArrary[i][0] = 0;\n }\n }\n }\n for (int i = 1; i < rowLen; i++) {\n if (testArrary[i][0] == 0) {\n for (int j = 0; j < colLen; j++) {\n testArrary[i][j] = 0;\n }\n }\n }\n for (int i = 1; i < colLen; i++) {\n if (testArrary[0][i] == 0) {\n for (int j = 0; j < rowLen; j++) {\n testArrary[j][i] = 0;\n }\n }\n }\n if (isFirstRowHaveZero) {\n for (int i = 0; i < colLen; i++) {\n testArrary[0][i] = 0;\n }\n }\n if (isFirstColHaveZero) {\n for (int i = 0; i < rowLen; i++) {\n testArrary[i][0] = 0;\n }\n }\n return testArrary;\n }\n\n public static void main(String[] args) {\n // TODO Auto-generated method stub\n int[][] testArrary = {\n {1, 2, 0, 3, 5, 77}, {2, 4, 23, 4, 7, 34}, {0, 6, 8, 4, 9, 24}, {3, 53, 4, 0, 3, 32}\n };\n\n int[][] resultArrary = deleteZero(testArrary);\n int row = resultArrary.length;\n int col = resultArrary[0].length;\n for (int i = 0; i < row; i++) {\n for (int j = 0; j < col; j++) {\n System.out.print(resultArrary[i][j] + \" \");\n }\n System.out.println(\"\");\n }\n\n System.out.println(\"----------------\");\n\n int[][] testArrary2 = {\n {1, 2, 0, 3, 5, 77}, {2, 4, 23, 4, 7, 34}, {0, 6, 8, 4, 9, 24}, {3, 53, 4, 0, 3, 32}\n };\n int[][] resultArrary2 = deleteZero_method2(testArrary2);\n int row2 = resultArrary2.length;\n int col2 = resultArrary2[0].length;\n for (int i = 0; i < row2; i++) {\n for (int j = 0; j < col2; j++) {\n System.out.print(resultArrary2[i][j] + \" \");\n }\n System.out.println(\"\");\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SetMatrixZero \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method private static deleteZero : ([[I)[[I \n .code stack 3 locals 9 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_1 \nL8: new java/util/ArrayList \nL11: dup \nL12: invokespecial Method java/util/ArrayList ()V \nL15: astore_2 \nL16: aload_0 \nL17: arraylength \nL18: istore_3 \nL19: aload_0 \nL20: iconst_0 \nL21: aaload \nL22: arraylength \nL23: istore 4 \nL25: iconst_0 \nL26: istore 5 \n\n .stack full \n locals Object [[I Object java/util/ArrayList Object java/util/ArrayList Integer Integer Integer \n stack \n .end stack \nL28: iload 5 \nL30: iload_3 \nL31: if_icmpge L86 \nL34: iconst_0 \nL35: istore 6 \n\n .stack append Integer \nL37: iload 6 \nL39: iload 4 \nL41: if_icmpge L80 \nL44: aload_0 \nL45: iload 5 \nL47: aaload \nL48: iload 6 \nL50: iaload \nL51: ifne L74 \nL54: aload_1 \nL55: iload 5 \nL57: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL60: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z \nL63: pop \nL64: aload_2 \nL65: iload 6 \nL67: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL70: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z \nL73: pop \n\n .stack same \nL74: iinc 6 1 \nL77: goto L37 \n\n .stack chop 1 \nL80: iinc 5 1 \nL83: goto L28 \n\n .stack chop 1 \nL86: aload_1 \nL87: invokevirtual Method java/util/ArrayList size ()I \nL90: istore 5 \nL92: iconst_0 \nL93: istore 6 \n\n .stack append Integer Integer \nL95: iload 6 \nL97: iload 5 \nL99: if_icmpge L142 \nL102: iconst_0 \nL103: istore 7 \n\n .stack append Integer \nL105: iload 7 \nL107: iload 4 \nL109: if_icmpge L136 \nL112: aload_0 \nL113: aload_1 \nL114: iload 6 \nL116: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object; \nL119: checkcast java/lang/Integer \nL122: invokevirtual Method java/lang/Integer intValue ()I \nL125: aaload \nL126: iload 7 \nL128: iconst_0 \nL129: iastore \nL130: iinc 7 1 \nL133: goto L105 \n\n .stack chop 1 \nL136: iinc 6 1 \nL139: goto L95 \n\n .stack chop 1 \nL142: aload_2 \nL143: invokevirtual Method java/util/ArrayList size ()I \nL146: istore 6 \nL148: iconst_0 \nL149: istore 7 \n\n .stack append Integer Integer \nL151: iload 7 \nL153: iload 6 \nL155: if_icmpge L197 \nL158: iconst_0 \nL159: istore 8 \n\n .stack append Integer \nL161: iload 8 \nL163: iload_3 \nL164: if_icmpge L191 \nL167: aload_0 \nL168: iload 8 \nL170: aaload \nL171: aload_2 \nL172: iload 7 \nL174: invokevirtual Method java/util/ArrayList get (I)Ljava/lang/Object; \nL177: checkcast java/lang/Integer \nL180: invokevirtual Method java/lang/Integer intValue ()I \nL183: iconst_0 \nL184: iastore \nL185: iinc 8 1 \nL188: goto L161 \n\n .stack chop 1 \nL191: iinc 7 1 \nL194: goto L151 \n\n .stack chop 1 \nL197: aload_0 \nL198: areturn \nL199: \n .linenumbertable \n L0 20 \n L8 21 \n L16 22 \n L19 23 \n L25 24 \n L34 25 \n L44 26 \n L54 27 \n L64 28 \n L74 25 \n L80 24 \n L86 32 \n L92 33 \n L102 34 \n L112 35 \n L130 34 \n L136 33 \n L142 38 \n L148 39 \n L158 40 \n L167 41 \n L185 40 \n L191 39 \n L197 45 \n .end linenumbertable \n .end code \n.end method \n\n.method private static deleteZero_method2 : ([[I)[[I \n .code stack 3 locals 7 \nL0: iconst_0 \nL1: istore_1 \nL2: iconst_0 \nL3: istore_2 \nL4: aload_0 \nL5: arraylength \nL6: istore_3 \nL7: aload_0 \nL8: iconst_0 \nL9: aaload \nL10: arraylength \nL11: istore 4 \nL13: iconst_0 \nL14: istore 5 \n\n .stack full \n locals Object [[I Integer Integer Integer Integer Integer \n stack \n .end stack \nL16: iload 5 \nL18: iload_3 \nL19: if_icmpge L42 \nL22: aload_0 \nL23: iload 5 \nL25: aaload \nL26: iconst_0 \nL27: iaload \nL28: ifne L36 \nL31: iconst_1 \nL32: istore_2 \nL33: goto L42 \n\n .stack same \nL36: iinc 5 1 \nL39: goto L16 \n\n .stack chop 1 \nL42: iconst_0 \nL43: istore 5 \n\n .stack append Integer \nL45: iload 5 \nL47: iload 4 \nL49: if_icmpge L72 \nL52: aload_0 \nL53: iconst_0 \nL54: aaload \nL55: iload 5 \nL57: iaload \nL58: ifne L66 \nL61: iconst_1 \nL62: istore_1 \nL63: goto L72 \n\n .stack same \nL66: iinc 5 1 \nL69: goto L45 \n\n .stack chop 1 \nL72: iconst_0 \nL73: istore 5 \n\n .stack append Integer \nL75: iload 5 \nL77: iload_3 \nL78: if_icmpge L127 \nL81: iconst_0 \nL82: istore 6 \n\n .stack append Integer \nL84: iload 6 \nL86: iload 4 \nL88: if_icmpge L121 \nL91: aload_0 \nL92: iload 5 \nL94: aaload \nL95: iload 6 \nL97: iaload \nL98: ifne L115 \nL101: aload_0 \nL102: iconst_0 \nL103: aaload \nL104: iload 6 \nL106: iconst_0 \nL107: iastore \nL108: aload_0 \nL109: iload 5 \nL111: aaload \nL112: iconst_0 \nL113: iconst_0 \nL114: iastore \n\n .stack same \nL115: iinc 6 1 \nL118: goto L84 \n\n .stack chop 1 \nL121: iinc 5 1 \nL124: goto L75 \n\n .stack chop 1 \nL127: iconst_1 \nL128: istore 5 \n\n .stack append Integer \nL130: iload 5 \nL132: iload_3 \nL133: if_icmpge L175 \nL136: aload_0 \nL137: iload 5 \nL139: aaload \nL140: iconst_0 \nL141: iaload \nL142: ifne L169 \nL145: iconst_0 \nL146: istore 6 \n\n .stack append Integer \nL148: iload 6 \nL150: iload 4 \nL152: if_icmpge L169 \nL155: aload_0 \nL156: iload 5 \nL158: aaload \nL159: iload 6 \nL161: iconst_0 \nL162: iastore \nL163: iinc 6 1 \nL166: goto L148 \n\n .stack chop 1 \nL169: iinc 5 1 \nL172: goto L130 \n\n .stack chop 1 \nL175: iconst_1 \nL176: istore 5 \n\n .stack append Integer \nL178: iload 5 \nL180: iload 4 \nL182: if_icmpge L223 \nL185: aload_0 \nL186: iconst_0 \nL187: aaload \nL188: iload 5 \nL190: iaload \nL191: ifne L217 \nL194: iconst_0 \nL195: istore 6 \n\n .stack append Integer \nL197: iload 6 \nL199: iload_3 \nL200: if_icmpge L217 \nL203: aload_0 \nL204: iload 6 \nL206: aaload \nL207: iload 5 \nL209: iconst_0 \nL210: iastore \nL211: iinc 6 1 \nL214: goto L197 \n\n .stack chop 1 \nL217: iinc 5 1 \nL220: goto L178 \n\n .stack chop 1 \nL223: iload_1 \nL224: ifeq L250 \nL227: iconst_0 \nL228: istore 5 \n\n .stack append Integer \nL230: iload 5 \nL232: iload 4 \nL234: if_icmpge L250 \nL237: aload_0 \nL238: iconst_0 \nL239: aaload \nL240: iload 5 \nL242: iconst_0 \nL243: iastore \nL244: iinc 5 1 \nL247: goto L230 \n\n .stack chop 1 \nL250: iload_2 \nL251: ifeq L276 \nL254: iconst_0 \nL255: istore 5 \n\n .stack append Integer \nL257: iload 5 \nL259: iload_3 \nL260: if_icmpge L276 \nL263: aload_0 \nL264: iload 5 \nL266: aaload \nL267: iconst_0 \nL268: iconst_0 \nL269: iastore \nL270: iinc 5 1 \nL273: goto L257 \n\n .stack chop 1 \nL276: aload_0 \nL277: areturn \nL278: \n .linenumbertable \n L0 53 \n L2 54 \n L4 55 \n L7 56 \n L13 57 \n L22 58 \n L31 59 \n L33 60 \n L36 57 \n L42 63 \n L52 64 \n L61 65 \n L63 66 \n L66 63 \n L72 69 \n L81 70 \n L91 71 \n L101 72 \n L108 73 \n L115 70 \n L121 69 \n L127 77 \n L136 78 \n L145 79 \n L155 80 \n L163 79 \n L169 77 \n L175 84 \n L185 85 \n L194 86 \n L203 87 \n L211 86 \n L217 84 \n L223 91 \n L227 92 \n L237 93 \n L244 92 \n L250 96 \n L254 97 \n L263 98 \n L270 97 \n L276 101 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 7 locals 11 \nL0: iconst_4 \nL1: anewarray [I \nL4: dup \nL5: iconst_0 \nL6: bipush 6 \nL8: newarray int \nL10: dup \nL11: iconst_0 \nL12: iconst_1 \nL13: iastore \nL14: dup \nL15: iconst_1 \nL16: iconst_2 \nL17: iastore \nL18: dup \nL19: iconst_2 \nL20: iconst_0 \nL21: iastore \nL22: dup \nL23: iconst_3 \nL24: iconst_3 \nL25: iastore \nL26: dup \nL27: iconst_4 \nL28: iconst_5 \nL29: iastore \nL30: dup \nL31: iconst_5 \nL32: bipush 77 \nL34: iastore \nL35: aastore \nL36: dup \nL37: iconst_1 \nL38: bipush 6 \nL40: newarray int \nL42: dup \nL43: iconst_0 \nL44: iconst_2 \nL45: iastore \nL46: dup \nL47: iconst_1 \nL48: iconst_4 \nL49: iastore \nL50: dup \nL51: iconst_2 \nL52: bipush 23 \nL54: iastore \nL55: dup \nL56: iconst_3 \nL57: iconst_4 \nL58: iastore \nL59: dup \nL60: iconst_4 \nL61: bipush 7 \nL63: iastore \nL64: dup \nL65: iconst_5 \nL66: bipush 34 \nL68: iastore \nL69: aastore \nL70: dup \nL71: iconst_2 \nL72: bipush 6 \nL74: newarray int \nL76: dup \nL77: iconst_0 \nL78: iconst_0 \nL79: iastore \nL80: dup \nL81: iconst_1 \nL82: bipush 6 \nL84: iastore \nL85: dup \nL86: iconst_2 \nL87: bipush 8 \nL89: iastore \nL90: dup \nL91: iconst_3 \nL92: iconst_4 \nL93: iastore \nL94: dup \nL95: iconst_4 \nL96: bipush 9 \nL98: iastore \nL99: dup \nL100: iconst_5 \nL101: bipush 24 \nL103: iastore \nL104: aastore \nL105: dup \nL106: iconst_3 \nL107: bipush 6 \nL109: newarray int \nL111: dup \nL112: iconst_0 \nL113: iconst_3 \nL114: iastore \nL115: dup \nL116: iconst_1 \nL117: bipush 53 \nL119: iastore \nL120: dup \nL121: iconst_2 \nL122: iconst_4 \nL123: iastore \nL124: dup \nL125: iconst_3 \nL126: iconst_0 \nL127: iastore \nL128: dup \nL129: iconst_4 \nL130: iconst_3 \nL131: iastore \nL132: dup \nL133: iconst_5 \nL134: bipush 32 \nL136: iastore \nL137: aastore \nL138: astore_1 \nL139: aload_1 \nL140: invokestatic Method SetMatrixZero deleteZero ([[I)[[I \nL143: astore_2 \nL144: aload_2 \nL145: arraylength \nL146: istore_3 \nL147: aload_2 \nL148: iconst_0 \nL149: aaload \nL150: arraylength \nL151: istore 4 \nL153: iconst_0 \nL154: istore 5 \n\n .stack full \n locals Object [Ljava/lang/String; Object [[I Object [[I Integer Integer Integer \n stack \n .end stack \nL156: iload 5 \nL158: iload_3 \nL159: if_icmpge L223 \nL162: iconst_0 \nL163: istore 6 \n\n .stack append Integer \nL165: iload 6 \nL167: iload 4 \nL169: if_icmpge L209 \nL172: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL175: new java/lang/StringBuilder \nL178: dup \nL179: invokespecial Method java/lang/StringBuilder ()V \nL182: aload_2 \nL183: iload 5 \nL185: aaload \nL186: iload 6 \nL188: iaload \nL189: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL192: ldc ' ' \nL194: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL197: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL200: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL203: iinc 6 1 \nL206: goto L165 \n\n .stack chop 1 \nL209: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL212: ldc '' \nL214: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL217: iinc 5 1 \nL220: goto L156 \n\n .stack chop 1 \nL223: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL226: ldc '----------------' \nL228: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL231: iconst_4 \nL232: anewarray [I \nL235: dup \nL236: iconst_0 \nL237: bipush 6 \nL239: newarray int \nL241: dup \nL242: iconst_0 \nL243: iconst_1 \nL244: iastore \nL245: dup \nL246: iconst_1 \nL247: iconst_2 \nL248: iastore \nL249: dup \nL250: iconst_2 \nL251: iconst_0 \nL252: iastore \nL253: dup \nL254: iconst_3 \nL255: iconst_3 \nL256: iastore \nL257: dup \nL258: iconst_4 \nL259: iconst_5 \nL260: iastore \nL261: dup \nL262: iconst_5 \nL263: bipush 77 \nL265: iastore \nL266: aastore \nL267: dup \nL268: iconst_1 \nL269: bipush 6 \nL271: newarray int \nL273: dup \nL274: iconst_0 \nL275: iconst_2 \nL276: iastore \nL277: dup \nL278: iconst_1 \nL279: iconst_4 \nL280: iastore \nL281: dup \nL282: iconst_2 \nL283: bipush 23 \nL285: iastore \nL286: dup \nL287: iconst_3 \nL288: iconst_4 \nL289: iastore \nL290: dup \nL291: iconst_4 \nL292: bipush 7 \nL294: iastore \nL295: dup \nL296: iconst_5 \nL297: bipush 34 \nL299: iastore \nL300: aastore \nL301: dup \nL302: iconst_2 \nL303: bipush 6 \nL305: newarray int \nL307: dup \nL308: iconst_0 \nL309: iconst_0 \nL310: iastore \nL311: dup \nL312: iconst_1 \nL313: bipush 6 \nL315: iastore \nL316: dup \nL317: iconst_2 \nL318: bipush 8 \nL320: iastore \nL321: dup \nL322: iconst_3 \nL323: iconst_4 \nL324: iastore \nL325: dup \nL326: iconst_4 \nL327: bipush 9 \nL329: iastore \nL330: dup \nL331: iconst_5 \nL332: bipush 24 \nL334: iastore \nL335: aastore \nL336: dup \nL337: iconst_3 \nL338: bipush 6 \nL340: newarray int \nL342: dup \nL343: iconst_0 \nL344: iconst_3 \nL345: iastore \nL346: dup \nL347: iconst_1 \nL348: bipush 53 \nL350: iastore \nL351: dup \nL352: iconst_2 \nL353: iconst_4 \nL354: iastore \nL355: dup \nL356: iconst_3 \nL357: iconst_0 \nL358: iastore \nL359: dup \nL360: iconst_4 \nL361: iconst_3 \nL362: iastore \nL363: dup \nL364: iconst_5 \nL365: bipush 32 \nL367: iastore \nL368: aastore \nL369: astore 5 \nL371: aload 5 \nL373: invokestatic Method SetMatrixZero deleteZero_method2 ([[I)[[I \nL376: astore 6 \nL378: aload 6 \nL380: arraylength \nL381: istore 7 \nL383: aload 6 \nL385: iconst_0 \nL386: aaload \nL387: arraylength \nL388: istore 8 \nL390: iconst_0 \nL391: istore 9 \n\n .stack full \n locals Object [Ljava/lang/String; Object [[I Object [[I Integer Integer Object [[I Object [[I Integer Integer Integer \n stack \n .end stack \nL393: iload 9 \nL395: iload 7 \nL397: if_icmpge L462 \nL400: iconst_0 \nL401: istore 10 \n\n .stack append Integer \nL403: iload 10 \nL405: iload 8 \nL407: if_icmpge L448 \nL410: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL413: new java/lang/StringBuilder \nL416: dup \nL417: invokespecial Method java/lang/StringBuilder ()V \nL420: aload 6 \nL422: iload 9 \nL424: aaload \nL425: iload 10 \nL427: iaload \nL428: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL431: ldc ' ' \nL433: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL436: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL439: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL442: iinc 10 1 \nL445: goto L403 \n\n .stack chop 1 \nL448: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL451: ldc '' \nL453: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL456: iinc 9 1 \nL459: goto L393 \n\n .stack chop 1 \nL462: return \nL463: \n .linenumbertable \n L0 106 \n L139 109 \n L144 110 \n L147 111 \n L153 112 \n L162 113 \n L172 114 \n L203 113 \n L209 116 \n L217 112 \n L223 119 \n L231 121 \n L371 125 \n L378 126 \n L383 127 \n L390 128 \n L400 129 \n L410 130 \n L442 129 \n L448 132 \n L456 128 \n L462 134 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SetMatrixZero.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 03:07:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SetMatrixZero_ESTest extends SetMatrixZero_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[1];\n stringArray0[0] = \"\";\n SetMatrixZero.main(stringArray0);\n SetMatrixZero.main(stringArray0);\n SetMatrixZero.main((String[]) null);\n SetMatrixZero.main((String[]) null);\n SetMatrixZero setMatrixZero0 = new SetMatrixZero();\n SetMatrixZero.main((String[]) null);\n SetMatrixZero.main(stringArray0);\n SetMatrixZero.main((String[]) null);\n SetMatrixZero.main(stringArray0);\n SetMatrixZero.main(stringArray0);\n SetMatrixZero.main(stringArray0);\n SetMatrixZero.main((String[]) null);\n String[] stringArray1 = new String[6];\n stringArray1[0] = \"\";\n stringArray1[1] = \"\";\n stringArray1[2] = \"\";\n stringArray1[3] = \"\";\n stringArray1[4] = \"\";\n stringArray1[5] = \"\";\n SetMatrixZero.main(stringArray1);\n assertEquals(6, stringArray1.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 03:07:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SetMatrixZero_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SetMatrixZero\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpxfzx2hav\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SetMatrixZero_ESTest_scaffolding.class.getClassLoader() ,\n \"SetMatrixZero\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SetMatrixZero_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SetMatrixZero\"\n );\n }\n}\n", "class_idx": 115} {"class_name": "Constants", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one or more\n * contributor license agreements. See the NOTICE file distributed with\n * this work for additional information regarding copyright ownership.\n * The ASF licenses this file to You under the Apache License, Version 2.0\n * (the \"License\"); you may not use this file except in compliance with\n * the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\npublic class Constants {\n\n public static final String Package = \"org.apache.catalina.servlets\";\n}\n", "jasm_code": ".version 52 0 \n.class public super Constants \n.super java/lang/Object \n.field public static final Package Ljava/lang/String; = 'org.apache.catalina.servlets' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 22 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Constants.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 10:55:50 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Constants_ESTest extends Constants_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Constants constants0 = new Constants();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 10:55:50 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Constants_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Constants\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmputa_jmim\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constants_ESTest_scaffolding.class.getClassLoader() ,\n \"Constants\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constants_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Constants\"\n );\n }\n}\n", "class_idx": 116} {"class_name": "VersionedFile", "java_source": "/*\n * Copyright (C) 2016-2022 ActionTech.\n * License: http://www.gnu.org/licenses/gpl.html GPL version 2 or higher.\n */\n\nimport java.io.*;\nimport java.nio.channels.FileChannel;\n\n/** Created by zhangchao on 2016/10/17. */\npublic class VersionedFile {\n\n private static final String FILE_SEPARATOR = String.valueOf(File.separatorChar);\n private String baseDir;\n private String suffix;\n private String baseName;\n\n // state attributes below\n\n private long version;\n private FileInputStream inputStream;\n\n private RandomAccessFile randomAccessFile;\n\n /**\n * Creates a new instance based on the given name parameters. The actual complete name(s) of the\n * physical file(s) will be based on a version number inserted in between, to identify versions.\n *\n * @param baseDir The base folder.\n * @param baseName The base name for of the file path/name.\n * @param suffix The suffix to append to the complete file name.\n */\n public VersionedFile(String baseDir, String baseName, String suffix) {\n\n if (!baseDir.endsWith(FILE_SEPARATOR)) {\n baseDir += FILE_SEPARATOR;\n }\n this.baseDir = baseDir;\n this.suffix = suffix;\n this.baseName = baseName;\n resetVersion();\n }\n\n private void resetVersion() {\n this.version = extractLastValidVersionNumberFromFileNames();\n }\n\n private long extractLastValidVersionNumberFromFileNames() {\n long resultVersion = -1;\n File cd = new File(getBaseDir());\n String[] names =\n cd.list(\n new FilenameFilter() {\n public boolean accept(File dir, String name) {\n return (name.startsWith(getBaseName()) && name.endsWith(getSuffix()));\n }\n });\n if (names != null) {\n for (String name : names) {\n long sfx = extractVersion(name);\n if (resultVersion < 0 || sfx < resultVersion) resultVersion = sfx;\n }\n }\n\n return resultVersion;\n }\n\n private long extractVersion(String name) {\n long ret = 0;\n int lastPos = name.lastIndexOf('.');\n int startPos = getBaseName().length();\n String nameSuffix = name.substring(startPos, lastPos);\n try {\n\n ret = Long.parseLong(nameSuffix);\n } catch (NumberFormatException e) {\n IllegalArgumentException err =\n new IllegalArgumentException(\n \"Error extracting version from file: \" + name + \" in \" + getBaseDir());\n err.initCause(e);\n throw err;\n }\n return ret;\n }\n\n private String getBackupVersionFileName() {\n return getBaseUrl() + (version - 1) + getSuffix();\n }\n\n public String getCurrentVersionFileName() {\n return getBaseUrl() + version + getSuffix();\n }\n\n public String getBaseUrl() {\n return baseDir + baseName;\n }\n\n public String getBaseDir() {\n return this.baseDir;\n }\n\n public String getBaseName() {\n return this.baseName;\n }\n\n public String getSuffix() {\n return this.suffix;\n }\n\n /**\n * Opens the last valid version for reading.\n *\n * @return A stream to read the last valid contents of the file: either the backup version (if\n * present) or the current (and only) version if no backup is found.\n * @throws IllegalStateException If a newer version was opened for writing.\n * @throws FileNotFoundException If no last version was found.\n */\n public FileInputStream openLastValidVersionForReading()\n throws IllegalStateException, FileNotFoundException {\n if (randomAccessFile != null) throw new IllegalStateException(\"Already started writing.\");\n inputStream = new FileInputStream(getCurrentVersionFileName());\n return inputStream;\n }\n\n /**\n * Opens a new version for writing to. Note that this new version is tentative and cannot be read\n * by {@link #openLastValidVersionForReading()} until {@link #discardBackupVersion()} is called.\n *\n * @return A stream for writing to.\n * @throws IllegalStateException If called more than once without a close in between.\n * @throws IOException If the file cannot be opened for writing.\n */\n public FileOutputStream openNewVersionForWriting() throws IOException {\n openNewVersionForNioWriting();\n return new FileOutputStream(randomAccessFile.getFD());\n }\n\n /**\n * Opens a new version for writing to. Note that this new version is tentative and cannot be read\n * by {@link #openLastValidVersionForReading()} until {@link #discardBackupVersion()} is called.\n *\n * @return A file for writing to.\n * @throws IOException\n * @throws IllegalStateException If called more than once without a close in between.\n * @throws FileNotFoundException If the file cannot be opened for writing.\n * @throws IOException\n */\n public FileChannel openNewVersionForNioWriting() throws FileNotFoundException {\n if (randomAccessFile != null) throw new IllegalStateException(\"Already writing a new version.\");\n // version++;\n randomAccessFile = new RandomAccessFile(getCurrentVersionFileName(), \"rw\");\n return randomAccessFile.getChannel();\n }\n\n public void rotateFileVersion() {\n File source = new File(getCurrentVersionFileName());\n if (source.exists()) {\n File dst = new File(getBackupVersionFileName());\n source.renameTo(dst);\n }\n }\n\n /**\n * Discards the backup version (if any). After calling this method, the newer version produced\n * after calling {@link #openNewVersionForWriting()} becomes valid for reading next time when\n * {@link #openLastValidVersionForReading()} is called.\n *\n *

Note: it is the caller's responsibility to make sure that all new data has been flushed to\n * disk before calling this method!\n *\n * @throws IllegalStateException If {@link #openNewVersionForWriting()} has not been called yet.\n * @throws IOException If the previous version exists but could no be deleted.\n */\n public void discardBackupVersion() throws IllegalStateException, IOException {\n if (randomAccessFile == null) throw new IllegalStateException(\"No new version yet!\");\n String fileName = getBackupVersionFileName();\n\n File temp = new File(fileName);\n if (temp.exists() && !temp.delete())\n throw new IOException(\"Failed to delete backup version: \" + fileName);\n }\n\n /**\n * Closes any open resources and resets the file for reading again.\n *\n * @throws IOException If the output stream could not be closed.\n */\n public void close() throws IOException {\n resetVersion();\n if (inputStream != null) {\n try {\n inputStream.close();\n } catch (IOException e) {\n // ignore error\n } finally {\n inputStream = null;\n }\n }\n if (randomAccessFile != null) {\n try {\n if (randomAccessFile.getFD().valid()) randomAccessFile.close();\n } finally {\n randomAccessFile = null;\n }\n }\n }\n\n public long getSize() {\n long res = -1;\n File f = new File(getCurrentVersionFileName());\n res = f.length();\n return res;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super VersionedFile \n.super java/lang/Object \n.field private static final FILE_SEPARATOR Ljava/lang/String; \n.field private baseDir Ljava/lang/String; \n.field private suffix Ljava/lang/String; \n.field private baseName Ljava/lang/String; \n.field private version J \n.field private inputStream Ljava/io/FileInputStream; \n.field private randomAccessFile Ljava/io/RandomAccessFile; \n\n.method public : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_1 \nL5: getstatic Field VersionedFile FILE_SEPARATOR Ljava/lang/String; \nL8: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z \nL11: ifne L35 \nL14: new java/lang/StringBuilder \nL17: dup \nL18: invokespecial Method java/lang/StringBuilder ()V \nL21: aload_1 \nL22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL25: getstatic Field VersionedFile FILE_SEPARATOR Ljava/lang/String; \nL28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL34: astore_1 \n\n .stack full \n locals Object VersionedFile Object java/lang/String Object java/lang/String Object java/lang/String \n stack \n .end stack \nL35: aload_0 \nL36: aload_1 \nL37: putfield Field VersionedFile baseDir Ljava/lang/String; \nL40: aload_0 \nL41: aload_3 \nL42: putfield Field VersionedFile suffix Ljava/lang/String; \nL45: aload_0 \nL46: aload_2 \nL47: putfield Field VersionedFile baseName Ljava/lang/String; \nL50: aload_0 \nL51: invokespecial Method VersionedFile resetVersion ()V \nL54: return \nL55: \n .linenumbertable \n L0 38 \n L4 40 \n L14 41 \n L35 43 \n L40 44 \n L45 45 \n L50 46 \n L54 47 \n .end linenumbertable \n .end code \n.end method \n\n.method private resetVersion : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: aload_0 \nL2: invokespecial Method VersionedFile extractLastValidVersionNumberFromFileNames ()J \nL5: putfield Field VersionedFile version J \nL8: return \nL9: \n .linenumbertable \n L0 50 \n L8 51 \n .end linenumbertable \n .end code \n.end method \n\n.method private extractLastValidVersionNumberFromFileNames : ()J \n .code stack 4 locals 11 \nL0: ldc2_w -1L \nL3: lstore_1 \nL4: new java/io/File \nL7: dup \nL8: aload_0 \nL9: invokevirtual Method VersionedFile getBaseDir ()Ljava/lang/String; \nL12: invokespecial Method java/io/File (Ljava/lang/String;)V \nL15: astore_3 \nL16: aload_3 \nL17: new VersionedFile$1 \nL20: dup \nL21: aload_0 \nL22: invokespecial Method VersionedFile$1 (LVersionedFile;)V \nL25: invokevirtual Method java/io/File list (Ljava/io/FilenameFilter;)[Ljava/lang/String; \nL28: astore 4 \nL30: aload 4 \nL32: ifnull L91 \nL35: aload 4 \nL37: astore 5 \nL39: aload 5 \nL41: arraylength \nL42: istore 6 \nL44: iconst_0 \nL45: istore 7 \n\n .stack full \n locals Object VersionedFile Long Object java/io/File Object [Ljava/lang/String; Object [Ljava/lang/String; Integer Integer \n stack \n .end stack \nL47: iload 7 \nL49: iload 6 \nL51: if_icmpge L91 \nL54: aload 5 \nL56: iload 7 \nL58: aaload \nL59: astore 8 \nL61: aload_0 \nL62: aload 8 \nL64: invokespecial Method VersionedFile extractVersion (Ljava/lang/String;)J \nL67: lstore 9 \nL69: lload_1 \nL70: lconst_0 \nL71: lcmp \nL72: iflt L82 \nL75: lload 9 \nL77: lload_1 \nL78: lcmp \nL79: ifge L85 \n\n .stack append Object java/lang/String Long \nL82: lload 9 \nL84: lstore_1 \n\n .stack chop 2 \nL85: iinc 7 1 \nL88: goto L47 \n\n .stack chop 3 \nL91: lload_1 \nL92: lreturn \nL93: \n .linenumbertable \n L0 54 \n L4 55 \n L16 56 \n L30 61 \n L35 62 \n L61 63 \n L69 64 \n L82 65 \n L85 62 \n L91 69 \n .end linenumbertable \n .end code \n.end method \n\n.method private extractVersion : (Ljava/lang/String;)J \n .code stack 4 locals 9 \nL0: lconst_0 \nL1: lstore_2 \nL2: aload_1 \nL3: bipush 46 \nL5: invokevirtual Method java/lang/String lastIndexOf (I)I \nL8: istore 4 \nL10: aload_0 \nL11: invokevirtual Method VersionedFile getBaseName ()Ljava/lang/String; \nL14: invokevirtual Method java/lang/String length ()I \nL17: istore 5 \nL19: aload_1 \nL20: iload 5 \nL22: iload 4 \nL24: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL27: astore 6 \n .catch java/lang/NumberFormatException from L29 to L35 using L38 \nL29: aload 6 \nL31: invokestatic Method java/lang/Long parseLong (Ljava/lang/String;)J \nL34: lstore_2 \nL35: goto L91 \n\n .stack full \n locals Object VersionedFile Object java/lang/String Long Integer Integer Object java/lang/String \n stack Object java/lang/NumberFormatException \n .end stack \nL38: astore 7 \nL40: new java/lang/IllegalArgumentException \nL43: dup \nL44: new java/lang/StringBuilder \nL47: dup \nL48: invokespecial Method java/lang/StringBuilder ()V \nL51: ldc 'Error extracting version from file: ' \nL53: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL56: aload_1 \nL57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL60: ldc ' in ' \nL62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL65: aload_0 \nL66: invokevirtual Method VersionedFile getBaseDir ()Ljava/lang/String; \nL69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL75: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL78: astore 8 \nL80: aload 8 \nL82: aload 7 \nL84: invokevirtual Method java/lang/IllegalArgumentException initCause (Ljava/lang/Throwable;)Ljava/lang/Throwable; \nL87: pop \nL88: aload 8 \nL90: athrow \n\n .stack same \nL91: lload_2 \nL92: lreturn \nL93: \n .linenumbertable \n L0 73 \n L2 74 \n L10 75 \n L19 76 \n L29 79 \n L35 84 \n L38 80 \n L40 81 \n L80 82 \n L88 83 \n L91 85 \n .end linenumbertable \n .end code \n.end method \n\n.method private getBackupVersionFileName : ()Ljava/lang/String; \n .code stack 5 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: aload_0 \nL8: invokevirtual Method VersionedFile getBaseUrl ()Ljava/lang/String; \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: aload_0 \nL15: getfield Field VersionedFile version J \nL18: lconst_1 \nL19: lsub \nL20: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL23: aload_0 \nL24: invokevirtual Method VersionedFile getSuffix ()Ljava/lang/String; \nL27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL30: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL33: areturn \nL34: \n .linenumbertable \n L0 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCurrentVersionFileName : ()Ljava/lang/String; \n .code stack 3 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: aload_0 \nL8: invokevirtual Method VersionedFile getBaseUrl ()Ljava/lang/String; \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: aload_0 \nL15: getfield Field VersionedFile version J \nL18: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL21: aload_0 \nL22: invokevirtual Method VersionedFile getSuffix ()Ljava/lang/String; \nL25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL28: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL31: areturn \nL32: \n .linenumbertable \n L0 93 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBaseUrl : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: aload_0 \nL8: getfield Field VersionedFile baseDir Ljava/lang/String; \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: aload_0 \nL15: getfield Field VersionedFile baseName Ljava/lang/String; \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL24: areturn \nL25: \n .linenumbertable \n L0 97 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBaseDir : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field VersionedFile baseDir Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 101 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBaseName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field VersionedFile baseName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 105 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSuffix : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field VersionedFile suffix Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 109 \n .end linenumbertable \n .end code \n.end method \n\n.method public openLastValidVersionForReading : ()Ljava/io/FileInputStream; \n .code stack 4 locals 1 \nL0: aload_0 \nL1: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL4: ifnull L17 \nL7: new java/lang/IllegalStateException \nL10: dup \nL11: ldc 'Already started writing.' \nL13: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;)V \nL16: athrow \n\n .stack same \nL17: aload_0 \nL18: new java/io/FileInputStream \nL21: dup \nL22: aload_0 \nL23: invokevirtual Method VersionedFile getCurrentVersionFileName ()Ljava/lang/String; \nL26: invokespecial Method java/io/FileInputStream (Ljava/lang/String;)V \nL29: putfield Field VersionedFile inputStream Ljava/io/FileInputStream; \nL32: aload_0 \nL33: getfield Field VersionedFile inputStream Ljava/io/FileInputStream; \nL36: areturn \nL37: \n .linenumbertable \n L0 123 \n L17 124 \n L32 125 \n .end linenumbertable \n .end code \n .exceptions java/lang/IllegalStateException java/io/FileNotFoundException \n.end method \n\n.method public openNewVersionForWriting : ()Ljava/io/FileOutputStream; \n .code stack 3 locals 1 \nL0: aload_0 \nL1: invokevirtual Method VersionedFile openNewVersionForNioWriting ()Ljava/nio/channels/FileChannel; \nL4: pop \nL5: new java/io/FileOutputStream \nL8: dup \nL9: aload_0 \nL10: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL13: invokevirtual Method java/io/RandomAccessFile getFD ()Ljava/io/FileDescriptor; \nL16: invokespecial Method java/io/FileOutputStream (Ljava/io/FileDescriptor;)V \nL19: areturn \nL20: \n .linenumbertable \n L0 140 \n L5 141 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public openNewVersionForNioWriting : ()Ljava/nio/channels/FileChannel; \n .code stack 5 locals 1 \nL0: aload_0 \nL1: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL4: ifnull L17 \nL7: new java/lang/IllegalStateException \nL10: dup \nL11: ldc 'Already writing a new version.' \nL13: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;)V \nL16: athrow \n\n .stack same \nL17: aload_0 \nL18: new java/io/RandomAccessFile \nL21: dup \nL22: aload_0 \nL23: invokevirtual Method VersionedFile getCurrentVersionFileName ()Ljava/lang/String; \nL26: ldc 'rw' \nL28: invokespecial Method java/io/RandomAccessFile (Ljava/lang/String;Ljava/lang/String;)V \nL31: putfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL34: aload_0 \nL35: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL38: invokevirtual Method java/io/RandomAccessFile getChannel ()Ljava/nio/channels/FileChannel; \nL41: areturn \nL42: \n .linenumbertable \n L0 158 \n L17 160 \n L34 161 \n .end linenumbertable \n .end code \n .exceptions java/io/FileNotFoundException \n.end method \n\n.method public rotateFileVersion : ()V \n .code stack 3 locals 3 \nL0: new java/io/File \nL3: dup \nL4: aload_0 \nL5: invokevirtual Method VersionedFile getCurrentVersionFileName ()Ljava/lang/String; \nL8: invokespecial Method java/io/File (Ljava/lang/String;)V \nL11: astore_1 \nL12: aload_1 \nL13: invokevirtual Method java/io/File exists ()Z \nL16: ifeq L37 \nL19: new java/io/File \nL22: dup \nL23: aload_0 \nL24: invokespecial Method VersionedFile getBackupVersionFileName ()Ljava/lang/String; \nL27: invokespecial Method java/io/File (Ljava/lang/String;)V \nL30: astore_2 \nL31: aload_1 \nL32: aload_2 \nL33: invokevirtual Method java/io/File renameTo (Ljava/io/File;)Z \nL36: pop \n\n .stack append Object java/io/File \nL37: return \nL38: \n .linenumbertable \n L0 165 \n L12 166 \n L19 167 \n L31 168 \n L37 170 \n .end linenumbertable \n .end code \n.end method \n\n.method public discardBackupVersion : ()V \n .code stack 4 locals 3 \nL0: aload_0 \nL1: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL4: ifnonnull L17 \nL7: new java/lang/IllegalStateException \nL10: dup \nL11: ldc 'No new version yet!' \nL13: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;)V \nL16: athrow \n\n .stack same \nL17: aload_0 \nL18: invokespecial Method VersionedFile getBackupVersionFileName ()Ljava/lang/String; \nL21: astore_1 \nL22: new java/io/File \nL25: dup \nL26: aload_1 \nL27: invokespecial Method java/io/File (Ljava/lang/String;)V \nL30: astore_2 \nL31: aload_2 \nL32: invokevirtual Method java/io/File exists ()Z \nL35: ifeq L72 \nL38: aload_2 \nL39: invokevirtual Method java/io/File delete ()Z \nL42: ifne L72 \nL45: new java/io/IOException \nL48: dup \nL49: new java/lang/StringBuilder \nL52: dup \nL53: invokespecial Method java/lang/StringBuilder ()V \nL56: ldc 'Failed to delete backup version: ' \nL58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL61: aload_1 \nL62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL65: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL68: invokespecial Method java/io/IOException (Ljava/lang/String;)V \nL71: athrow \n\n .stack append Object java/lang/String Object java/io/File \nL72: return \nL73: \n .linenumbertable \n L0 186 \n L17 187 \n L22 189 \n L31 190 \n L72 192 \n .end linenumbertable \n .end code \n .exceptions java/lang/IllegalStateException java/io/IOException \n.end method \n\n.method public close : ()V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method VersionedFile resetVersion ()V \nL4: aload_0 \nL5: getfield Field VersionedFile inputStream Ljava/io/FileInputStream; \nL8: ifnull L43 \n .catch java/io/IOException from L11 to L18 using L26 \n .catch [0] from L11 to L18 using L35 \nL11: aload_0 \nL12: getfield Field VersionedFile inputStream Ljava/io/FileInputStream; \nL15: invokevirtual Method java/io/FileInputStream close ()V \nL18: aload_0 \nL19: aconst_null \nL20: putfield Field VersionedFile inputStream Ljava/io/FileInputStream; \nL23: goto L43 \n\n .stack stack_1 Object java/io/IOException \nL26: astore_1 \nL27: aload_0 \nL28: aconst_null \nL29: putfield Field VersionedFile inputStream Ljava/io/FileInputStream; \nL32: goto L43 \n\n .stack stack_1 Object java/lang/Throwable \nL35: astore_2 \nL36: aload_0 \nL37: aconst_null \nL38: putfield Field VersionedFile inputStream Ljava/io/FileInputStream; \nL41: aload_2 \nL42: athrow \n\n .stack same \nL43: aload_0 \nL44: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL47: ifnull L86 \n .catch [0] from L50 to L70 using L78 \nL50: aload_0 \nL51: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL54: invokevirtual Method java/io/RandomAccessFile getFD ()Ljava/io/FileDescriptor; \nL57: invokevirtual Method java/io/FileDescriptor valid ()Z \nL60: ifeq L70 \nL63: aload_0 \nL64: getfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL67: invokevirtual Method java/io/RandomAccessFile close ()V \n\n .stack same \nL70: aload_0 \nL71: aconst_null \nL72: putfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL75: goto L86 \n\n .stack stack_1 Object java/lang/Throwable \nL78: astore_3 \nL79: aload_0 \nL80: aconst_null \nL81: putfield Field VersionedFile randomAccessFile Ljava/io/RandomAccessFile; \nL84: aload_3 \nL85: athrow \n\n .stack same \nL86: return \nL87: \n .linenumbertable \n L0 201 \n L4 202 \n L11 204 \n L18 208 \n L23 209 \n L26 205 \n L27 208 \n L32 209 \n L35 208 \n L41 209 \n L43 211 \n L50 213 \n L70 215 \n L75 216 \n L78 215 \n L84 216 \n L86 218 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public getSize : ()J \n .code stack 3 locals 4 \nL0: ldc2_w -1L \nL3: lstore_1 \nL4: new java/io/File \nL7: dup \nL8: aload_0 \nL9: invokevirtual Method VersionedFile getCurrentVersionFileName ()Ljava/lang/String; \nL12: invokespecial Method java/io/File (Ljava/lang/String;)V \nL15: astore_3 \nL16: aload_3 \nL17: invokevirtual Method java/io/File length ()J \nL20: lstore_1 \nL21: lload_1 \nL22: lreturn \nL23: \n .linenumbertable \n L0 221 \n L4 222 \n L16 223 \n L21 224 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: getstatic Field java/io/File separatorChar C \nL3: invokestatic Method java/lang/String valueOf (C)Ljava/lang/String; \nL6: putstatic Field VersionedFile FILE_SEPARATOR Ljava/lang/String; \nL9: return \nL10: \n .linenumbertable \n L0 16 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'VersionedFile.java' \n.innerclasses \n VersionedFile$1 [0] [0] \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 10:14:33 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class VersionedFile_ESTest extends VersionedFile_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n VersionedFile versionedFile0 = null;\n try {\n versionedFile0 = new VersionedFile(\"Sg%u`(\", \"Sg%u`(\", \"Sg%u`(\");\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // VersionedFile$1\n //\n verifyException(\"VersionedFile\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n VersionedFile versionedFile0 = null;\n try {\n versionedFile0 = new VersionedFile(\"#]bR /\", \"#]bR /\", \"#]bR /\");\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // VersionedFile$1\n //\n verifyException(\"VersionedFile\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 10:14:33 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class VersionedFile_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"VersionedFile\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp3078hbfy\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(VersionedFile_ESTest_scaffolding.class.getClassLoader() ,\n \"VersionedFile\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(VersionedFile_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"VersionedFile\"\n );\n }\n}\n", "class_idx": 117} {"class_name": "IndexFile", "java_source": "/**\n * Eclipse Public License - v 1.0\n *\n *

THE ACCOMPANYING PROGRAM IS PROVIDED UNDER THE TERMS OF THIS ECLIPSE PUBLIC LICENSE\n * (\"AGREEMENT\"). ANY USE, REPRODUCTION OR DISTRIBUTION OF THE PROGRAM CONSTITUTES RECIPIENT'S\n * ACCEPTANCE OF THIS AGREEMENT.\n *\n *

1. DEFINITIONS\n *\n *

\"Contribution\" means:\n *\n *

a) in the case of the initial Contributor, the initial code and documentation distributed\n * under this Agreement, and b) in the case of each subsequent Contributor: i) changes to the\n * Program, and ii) additions to the Program; where such changes and/or additions to the Program\n * originate from and are distributed by that particular Contributor. A Contribution 'originates'\n * from a Contributor if it was added to the Program by such Contributor itself or anyone acting on\n * such Contributor's behalf. Contributions do not include additions to the Program which: (i) are\n * separate modules of software distributed in conjunction with the Program under their own license\n * agreement, and (ii) are not derivative works of the Program. \"Contributor\" means any person or\n * entity that distributes the Program.\n *\n *

\"Licensed Patents\" mean patent claims licensable by a Contributor which are necessarily\n * infringed by the use or sale of its Contribution alone or when combined with the Program.\n *\n *

\"Program\" means the Contributions distributed in accordance with this Agreement.\n *\n *

\"Recipient\" means anyone who receives the Program under this Agreement, including all\n * Contributors.\n *\n *

2. GRANT OF RIGHTS\n *\n *

a) Subject to the terms of this Agreement, each Contributor hereby grants Recipient a\n * non-exclusive, worldwide, royalty-free copyright license to reproduce, prepare derivative works\n * of, publicly display, publicly perform, distribute and sublicense the Contribution of such\n * Contributor, if any, and such derivative works, in source code and object code form. b) Subject\n * to the terms of this Agreement, each Contributor hereby grants Recipient a non-exclusive,\n * worldwide, royalty-free patent license under Licensed Patents to make, use, sell, offer to sell,\n * import and otherwise transfer the Contribution of such Contributor, if any, in source code and\n * object code form. This patent license shall apply to the combination of the Contribution and the\n * Program if, at the time the Contribution is added by the Contributor, such addition of the\n * Contribution causes such combination to be covered by the Licensed Patents. The patent license\n * shall not apply to any other combinations which include the Contribution. No hardware per se is\n * licensed hereunder. c) Recipient understands that although each Contributor grants the licenses\n * to its Contributions set forth herein, no assurances are provided by any Contributor that the\n * Program does not infringe the patent or other intellectual property rights of any other entity.\n * Each Contributor disclaims any liability to Recipient for claims brought by any other entity\n * based on infringement of intellectual property rights or otherwise. As a condition to exercising\n * the rights and licenses granted hereunder, each Recipient hereby assumes sole responsibility to\n * secure any other intellectual property rights needed, if any. For example, if a third party\n * patent license is required to allow Recipient to distribute the Program, it is Recipient's\n * responsibility to acquire that license before distributing the Program. d) Each Contributor\n * represents that to its knowledge it has sufficient copyright rights in its Contribution, if any,\n * to grant the copyright license set forth in this Agreement. 3. REQUIREMENTS\n *\n *

A Contributor may choose to distribute the Program in object code form under its own license\n * agreement, provided that:\n *\n *

a) it complies with the terms and conditions of this Agreement; and b) its license agreement:\n * i) effectively disclaims on behalf of all Contributors all warranties and conditions, express and\n * implied, including warranties or conditions of title and non-infringement, and implied warranties\n * or conditions of merchantability and fitness for a particular purpose; ii) effectively excludes\n * on behalf of all Contributors all liability for damages, including direct, indirect, special,\n * incidental and consequential damages, such as lost profits; iii) states that any provisions which\n * differ from this Agreement are offered by that Contributor alone and not by any other party; and\n * iv) states that source code for the Program is available from such Contributor, and informs\n * licensees how to obtain it in a reasonable manner on or through a medium customarily used for\n * software exchange. When the Program is made available in source code form:\n *\n *

a) it must be made available under this Agreement; and b) a copy of this Agreement must be\n * included with each copy of the Program. Contributors may not remove or alter any copyright\n * notices contained within the Program.\n *\n *

Each Contributor must identify itself as the originator of its Contribution, if any, in a\n * manner that reasonably allows subsequent Recipients to identify the originator of the\n * Contribution.\n *\n *

4. COMMERCIAL DISTRIBUTION\n *\n *

Commercial distributors of software may accept certain responsibilities with respect to end\n * users, business partners and the like. While this license is intended to facilitate the\n * commercial use of the Program, the Contributor who includes the Program in a commercial product\n * offering should do so in a manner which does not create potential liability for other\n * Contributors. Therefore, if a Contributor includes the Program in a commercial product offering,\n * such Contributor (\"Commercial Contributor\") hereby agrees to defend and indemnify every other\n * Contributor (\"Indemnified Contributor\") against any losses, damages and costs (collectively\n * \"Losses\") arising from claims, lawsuits and other legal actions brought by a third party against\n * the Indemnified Contributor to the extent caused by the acts or omissions of such Commercial\n * Contributor in connection with its distribution of the Program in a commercial product offering.\n * The obligations in this section do not apply to any claims or Losses relating to any actual or\n * alleged intellectual property infringement. In order to qualify, an Indemnified Contributor must:\n * a) promptly notify the Commercial Contributor in writing of such claim, and b) allow the\n * Commercial Contributor to control, and cooperate with the Commercial Contributor in, the defense\n * and any related settlement negotiations. The Indemnified Contributor may participate in any such\n * claim at its own expense.\n *\n *

For example, a Contributor might include the Program in a commercial product offering, Product\n * X. That Contributor is then a Commercial Contributor. If that Commercial Contributor then makes\n * performance claims, or offers warranties related to Product X, those performance claims and\n * warranties are such Commercial Contributor's responsibility alone. Under this section, the\n * Commercial Contributor would have to defend claims against the other Contributors related to\n * those performance claims and warranties, and if a court requires any other Contributor to pay any\n * damages as a result, the Commercial Contributor must pay those damages.\n *\n *

5. NO WARRANTY\n *\n *

EXCEPT AS EXPRESSLY SET FORTH IN THIS AGREEMENT, THE PROGRAM IS PROVIDED ON AN \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED INCLUDING, WITHOUT\n * LIMITATION, ANY WARRANTIES OR CONDITIONS OF TITLE, NON-INFRINGEMENT, MERCHANTABILITY OR FITNESS\n * FOR A PARTICULAR PURPOSE. Each Recipient is solely responsible for determining the\n * appropriateness of using and distributing the Program and assumes all risks associated with its\n * exercise of rights under this Agreement , including but not limited to the risks and costs of\n * program errors, compliance with applicable laws, damage to or loss of data, programs or\n * equipment, and unavailability or interruption of operations.\n *\n *

6. DISCLAIMER OF LIABILITY\n *\n *

EXCEPT AS EXPRESSLY SET FORTH IN THIS AGREEMENT, NEITHER RECIPIENT NOR ANY CONTRIBUTORS SHALL\n * HAVE ANY LIABILITY FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\n * DAMAGES (INCLUDING WITHOUT LIMITATION LOST PROFITS), HOWEVER CAUSED AND ON ANY THEORY OF\n * LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n * ARISING IN ANY WAY OUT OF THE USE OR DISTRIBUTION OF THE PROGRAM OR THE EXERCISE OF ANY RIGHTS\n * GRANTED HEREUNDER, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGES.\n *\n *

7. GENERAL\n *\n *

If any provision of this Agreement is invalid or unenforceable under applicable law, it shall\n * not affect the validity or enforceability of the remainder of the terms of this Agreement, and\n * without further action by the parties hereto, such provision shall be reformed to the minimum\n * extent necessary to make such provision valid and enforceable.\n *\n *

If Recipient institutes patent litigation against any entity (including a cross-claim or\n * counterclaim in a lawsuit) alleging that the Program itself (excluding combinations of the\n * Program with other software or hardware) infringes such Recipient's patent(s), then such\n * Recipient's rights granted under Section 2(b) shall terminate as of the date such litigation is\n * filed.\n *\n *

All Recipient's rights under this Agreement shall terminate if it fails to comply with any of\n * the material terms or conditions of this Agreement and does not cure such failure in a reasonable\n * period of time after becoming aware of such noncompliance. If all Recipient's rights under this\n * Agreement terminate, Recipient agrees to cease use and distribution of the Program as soon as\n * reasonably practicable. However, Recipient's obligations under this Agreement and any licenses\n * granted by Recipient relating to the Program shall continue and survive.\n *\n *

Everyone is permitted to copy and distribute copies of this Agreement, but in order to avoid\n * inconsistency the Agreement is copyrighted and may only be modified in the following manner. The\n * Agreement Steward reserves the right to publish new versions (including revisions) of this\n * Agreement from time to time. No one other than the Agreement Steward has the right to modify this\n * Agreement. The Eclipse Foundation is the initial Agreement Steward. The Eclipse Foundation may\n * assign the responsibility to serve as the Agreement Steward to a suitable separate entity. Each\n * new version of the Agreement will be given a distinguishing version number. The Program\n * (including Contributions) may always be distributed subject to the version of the Agreement under\n * which it was received. In addition, after a new version of the Agreement is published,\n * Contributor may elect to distribute the Program (including its Contributions) under the new\n * version. Except as expressly stated in Sections 2(a) and 2(b) above, Recipient receives no rights\n * or licenses to the intellectual property of any Contributor under this Agreement, whether\n * expressly, by implication, estoppel or otherwise. All rights in the Program not expressly granted\n * under this Agreement are reserved.\n *\n *

This Agreement is governed by the laws of the State of New York and the intellectual property\n * laws of the United States of America. No party to this Agreement will bring a legal action under\n * this Agreement more than one year after the cause of action arose. Each party waives its rights\n * to a jury trial in any resulting litigation.\n */\npublic class IndexFile {}\n", "jasm_code": ".version 52 0 \n.class public super IndexFile \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 135 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'IndexFile.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 11:53:42 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class IndexFile_ESTest extends IndexFile_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n IndexFile indexFile0 = new IndexFile();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 11:53:42 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class IndexFile_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"IndexFile\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpypc2d7fm\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IndexFile_ESTest_scaffolding.class.getClassLoader() ,\n \"IndexFile\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IndexFile_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"IndexFile\"\n );\n }\n}\n", "class_idx": 118} {"class_name": "MethodDescription", "java_source": "/**\n * Copyright 2005-2014 Red Hat, Inc.\n *\n *

Red Hat licenses this file to you under the Apache License, version 2.0 (the \"License\"); you\n * may not use this file except in compliance with the License. You may obtain a copy of the License\n * at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\npublic class MethodDescription {\n private final String className;\n private final String methodName;\n private final String description;\n private final String methodSignature;\n private final String fullMethodName;\n\n MethodDescription(String className, String methodName, String description) {\n this.className = className.replace('/', '.');\n this.methodName = methodName.replace('/', '.');\n this.description = description;\n this.methodSignature = getMethodSignature(methodName, description);\n this.fullMethodName = this.className + \"@\" + this.methodSignature;\n }\n\n static String getMethodSignature(String name, String description) {\n return name.replace('/', '.') + description;\n }\n\n public String getFullMethodName() {\n return fullMethodName;\n }\n\n public String getClassName() {\n return className;\n }\n\n public String getMethodSignature() {\n return methodSignature;\n }\n\n public String getMethodName() {\n return methodName;\n }\n\n public String getDescription() {\n return description;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MethodDescription \n.super java/lang/Object \n.field private final className Ljava/lang/String; \n.field private final methodName Ljava/lang/String; \n.field private final description Ljava/lang/String; \n.field private final methodSignature Ljava/lang/String; \n.field private final fullMethodName Ljava/lang/String; \n\n.method : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 4 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: bipush 47 \nL8: bipush 46 \nL10: invokevirtual Method java/lang/String replace (CC)Ljava/lang/String; \nL13: putfield Field MethodDescription className Ljava/lang/String; \nL16: aload_0 \nL17: aload_2 \nL18: bipush 47 \nL20: bipush 46 \nL22: invokevirtual Method java/lang/String replace (CC)Ljava/lang/String; \nL25: putfield Field MethodDescription methodName Ljava/lang/String; \nL28: aload_0 \nL29: aload_3 \nL30: putfield Field MethodDescription description Ljava/lang/String; \nL33: aload_0 \nL34: aload_2 \nL35: aload_3 \nL36: invokestatic Method MethodDescription getMethodSignature (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL39: putfield Field MethodDescription methodSignature Ljava/lang/String; \nL42: aload_0 \nL43: new java/lang/StringBuilder \nL46: dup \nL47: invokespecial Method java/lang/StringBuilder ()V \nL50: aload_0 \nL51: getfield Field MethodDescription className Ljava/lang/String; \nL54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL57: ldc '@' \nL59: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL62: aload_0 \nL63: getfield Field MethodDescription methodSignature Ljava/lang/String; \nL66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL69: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL72: putfield Field MethodDescription fullMethodName Ljava/lang/String; \nL75: return \nL76: \n .linenumbertable \n L0 25 \n L4 26 \n L16 27 \n L28 28 \n L33 29 \n L42 30 \n L75 31 \n .end linenumbertable \n .end code \n.end method \n\n.method static getMethodSignature : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 4 locals 2 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: aload_0 \nL8: bipush 47 \nL10: bipush 46 \nL12: invokevirtual Method java/lang/String replace (CC)Ljava/lang/String; \nL15: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL18: aload_1 \nL19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL22: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL25: areturn \nL26: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFullMethodName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MethodDescription fullMethodName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public getClassName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MethodDescription className Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMethodSignature : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MethodDescription methodSignature Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMethodName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MethodDescription methodName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDescription : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field MethodDescription description Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 54 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MethodDescription.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 10:54:57 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MethodDescription_ESTest extends MethodDescription_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n String string0 = MethodDescription.getMethodSignature(\"\", \"\");\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"#DY+?$zwC\", \"#DY+?$zwC\", \"#DY+?$zwC\");\n methodDescription0.getMethodSignature();\n assertEquals(\"#DY+?$zwC@#DY+?$zwC#DY+?$zwC\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"^[ke;_j{\", \"+fa\u007f>%,2w>PmtU;\", \"]nVw`-=\");\n methodDescription0.getMethodName();\n assertEquals(\"^[ke;_j{@+fa\u007f>%,2w>PmtU;]nVw`-=\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"7u~28'Gk}o}\", \"8 vX?hq;mf)tb?,-X\", (String) null);\n methodDescription0.getDescription();\n assertEquals(\"7u~28'Gk}o}@8 vX?hq;mf)tb?,-Xnull\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"\", \"\", \"~OKUJe%e:*\");\n methodDescription0.getDescription();\n assertEquals(\"@~OKUJe%e:*\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"^[ke;_j{\", \"+fa\u007f>%,2w>PmtU;\", \"]nVw`-=\");\n methodDescription0.getClassName();\n assertEquals(\"^[ke;_j{@+fa\u007f>%,2w>PmtU;]nVw`-=\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n String string0 = MethodDescription.getMethodSignature(\"8 vX?hq;mf)tb?,-X\", \"@\");\n assertEquals(\"8 vX?hq;mf)tb?,-X@\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"\", \"\", \"\");\n methodDescription0.getClassName();\n assertEquals(\"@\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"\", \"\", \"\");\n String string0 = methodDescription0.getFullMethodName();\n assertEquals(\"@\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"\", \"\", \"\");\n methodDescription0.getDescription();\n assertEquals(\"@\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"\", \"\", \"\");\n methodDescription0.getMethodName();\n assertEquals(\"@\", methodDescription0.getFullMethodName());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n MethodDescription methodDescription0 = new MethodDescription(\"\", \"\", \"\");\n methodDescription0.getMethodSignature();\n assertEquals(\"@\", methodDescription0.getFullMethodName());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 10:54:57 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MethodDescription_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MethodDescription\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6sylzzig\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MethodDescription_ESTest_scaffolding.class.getClassLoader() ,\n \"MethodDescription\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MethodDescription_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MethodDescription\"\n );\n }\n}\n", "class_idx": 119} {"class_name": "ClauseLineItemPO", "java_source": "/**\n * Class:\u73b0\u91d1\u8d39\u5355\u6761\u76ee\u6e05\u5355\u7c7b\n *\n * @author JaneLDQ\n * @date 2014/10/25\n */\nimport java.io.Serializable;\n\npublic class ClauseLineItemPO implements Serializable {\n\n /** \u5e8f\u5217\u5316UID */\n private static final long serialVersionUID = 1L;\n\n /** \u6761\u76ee\u540d\u79f0 */\n private String name;\n\n /** \u91d1\u989d */\n private double account;\n\n /** \u5907\u6ce8 */\n private String remark;\n\n /**\n * \u6784\u9020\u65b9\u6cd5\n *\n * @param name\n * @param account\n * @param remark\n */\n public ClauseLineItemPO(String name, double account, String remark) {\n this.name = name;\n this.account = account;\n this.remark = remark;\n }\n\n public String getName() {\n return name;\n }\n\n public double getAccount() {\n return account;\n }\n\n public String getRemark() {\n return remark;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ClauseLineItemPO \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = 1L \n.field private name Ljava/lang/String; \n.field private account D \n.field private remark Ljava/lang/String; \n\n.method public : (Ljava/lang/String;DLjava/lang/String;)V \n .code stack 3 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field ClauseLineItemPO name Ljava/lang/String; \nL9: aload_0 \nL10: dload_2 \nL11: putfield Field ClauseLineItemPO account D \nL14: aload_0 \nL15: aload 4 \nL17: putfield Field ClauseLineItemPO remark Ljava/lang/String; \nL20: return \nL21: \n .linenumbertable \n L0 40 \n L4 41 \n L9 42 \n L14 43 \n L20 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ClauseLineItemPO name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 47 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAccount : ()D \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field ClauseLineItemPO account D \nL4: dreturn \nL5: \n .linenumbertable \n L0 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRemark : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ClauseLineItemPO remark Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 55 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ClauseLineItemPO.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 20:07:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ClauseLineItemPO_ESTest extends ClauseLineItemPO_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ClauseLineItemPO clauseLineItemPO0 = new ClauseLineItemPO(\"IExQcA$1AP:S kapNums = new ArrayList<>();\n\n for (int i = lowValue; i <= highValue; i++) {\n if (isModKaprekar(i)) {\n kapNums.add(i);\n }\n }\n\n if (kapNums.size() == 0) {\n System.out.println(\"INVALID RANGE\");\n } else {\n for (int num : kapNums) {\n System.out.print(num + \" \");\n }\n }\n sc.close();\n }\n\n private static boolean isModKaprekar(int n) throws NumberFormatException {\n\n if (n == 1) {\n return true;\n } else if (n == 2 || n == 3) {\n return false;\n }\n\n long numSquare;\n\n if (n < 65536) {\n numSquare = n * n;\n } else {\n numSquare = (long) Math.pow(n, 2);\n }\n\n String number = numSquare + \"\";\n\n String left = number.substring(0, number.length() / 2);\n String right = number.substring(number.length() / 2);\n\n int leftNum = Integer.parseInt(left);\n int rightNum = Integer.parseInt(right);\n\n return (leftNum + rightNum == n);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ModKaprekarNumbers \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 7 \nL0: new java/util/Scanner \nL3: dup \nL4: getstatic Field java/lang/System in Ljava/io/InputStream; \nL7: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL10: astore_1 \nL11: aload_1 \nL12: invokevirtual Method java/util/Scanner nextInt ()I \nL15: istore_2 \nL16: aload_1 \nL17: invokevirtual Method java/util/Scanner nextInt ()I \nL20: istore_3 \nL21: new java/util/ArrayList \nL24: dup \nL25: invokespecial Method java/util/ArrayList ()V \nL28: astore 4 \nL30: iload_2 \nL31: istore 5 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Integer Object java/util/ArrayList Integer \n stack \n .end stack \nL33: iload 5 \nL35: iload_3 \nL36: if_icmpgt L64 \nL39: iload 5 \nL41: invokestatic Method ModKaprekarNumbers isModKaprekar (I)Z \nL44: ifeq L58 \nL47: aload 4 \nL49: iload 5 \nL51: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL54: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z \nL57: pop \n\n .stack same \nL58: iinc 5 1 \nL61: goto L33 \n\n .stack chop 1 \nL64: aload 4 \nL66: invokevirtual Method java/util/ArrayList size ()I \nL69: ifne L83 \nL72: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL75: ldc 'INVALID RANGE' \nL77: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL80: goto L144 \n\n .stack same \nL83: aload 4 \nL85: invokevirtual Method java/util/ArrayList iterator ()Ljava/util/Iterator; \nL88: astore 5 \n\n .stack append Object java/util/Iterator \nL90: aload 5 \nL92: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL97: ifeq L144 \nL100: aload 5 \nL102: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL107: checkcast java/lang/Integer \nL110: invokevirtual Method java/lang/Integer intValue ()I \nL113: istore 6 \nL115: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL118: new java/lang/StringBuilder \nL121: dup \nL122: invokespecial Method java/lang/StringBuilder ()V \nL125: iload 6 \nL127: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL130: ldc ' ' \nL132: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL135: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL138: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL141: goto L90 \n\n .stack chop 1 \nL144: aload_1 \nL145: invokevirtual Method java/util/Scanner close ()V \nL148: return \nL149: \n .linenumbertable \n L0 46 \n L11 48 \n L16 49 \n L21 51 \n L30 53 \n L39 54 \n L47 55 \n L58 53 \n L64 60 \n L72 61 \n L83 63 \n L115 64 \n L141 65 \n L144 67 \n L148 68 \n .end linenumbertable \n .end code \n.end method \n\n.method private static isModKaprekar : (I)Z \n .code stack 4 locals 8 \nL0: iload_0 \nL1: iconst_1 \nL2: if_icmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: iload_0 \nL8: iconst_2 \nL9: if_icmpeq L17 \nL12: iload_0 \nL13: iconst_3 \nL14: if_icmpne L19 \n\n .stack same \nL17: iconst_0 \nL18: ireturn \n\n .stack same \nL19: iload_0 \nL20: ldc 65536 \nL22: if_icmpge L33 \nL25: iload_0 \nL26: iload_0 \nL27: imul \nL28: i2l \nL29: lstore_1 \nL30: goto L43 \n\n .stack same \nL33: iload_0 \nL34: i2d \nL35: ldc2_w +2.0 \nL38: invokestatic Method java/lang/Math pow (DD)D \nL41: d2l \nL42: lstore_1 \n\n .stack append Long \nL43: new java/lang/StringBuilder \nL46: dup \nL47: invokespecial Method java/lang/StringBuilder ()V \nL50: lload_1 \nL51: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL54: ldc '' \nL56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL59: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL62: astore_3 \nL63: aload_3 \nL64: iconst_0 \nL65: aload_3 \nL66: invokevirtual Method java/lang/String length ()I \nL69: iconst_2 \nL70: idiv \nL71: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL74: astore 4 \nL76: aload_3 \nL77: aload_3 \nL78: invokevirtual Method java/lang/String length ()I \nL81: iconst_2 \nL82: idiv \nL83: invokevirtual Method java/lang/String substring (I)Ljava/lang/String; \nL86: astore 5 \nL88: aload 4 \nL90: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL93: istore 6 \nL95: aload 5 \nL97: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL100: istore 7 \nL102: iload 6 \nL104: iload 7 \nL106: iadd \nL107: iload_0 \nL108: if_icmpne L115 \nL111: iconst_1 \nL112: goto L116 \n\n .stack full \n locals Integer Long Object java/lang/String Object java/lang/String Object java/lang/String Integer Integer \n stack \n .end stack \nL115: iconst_0 \n\n .stack stack_1 Integer \nL116: ireturn \nL117: \n .linenumbertable \n L0 72 \n L5 73 \n L7 74 \n L17 75 \n L19 80 \n L25 81 \n L33 83 \n L43 86 \n L63 88 \n L76 89 \n L88 91 \n L95 92 \n L102 95 \n .end linenumbertable \n .end code \n .exceptions java/lang/NumberFormatException \n.end method \n.sourcefile 'ModKaprekarNumbers.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 06:20:53 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.NoSuchElementException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ModKaprekarNumbers_ESTest extends ModKaprekarNumbers_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ModKaprekarNumbers modKaprekarNumbers0 = new ModKaprekarNumbers();\n String[] stringArray0 = new String[7];\n stringArray0[0] = \"5\";\n stringArray0[6] = \"U1lS~uu^,M%\";\n stringArray0[2] = \"5\";\n stringArray0[3] = \"5\";\n SystemInUtil.addInputLine(\"5\");\n stringArray0[0] = \"\";\n stringArray0[5] = \"^h\\\"cO*xz'q0HWjRbz\";\n String[] stringArray1 = new String[1];\n stringArray1[0] = \" \";\n // Undeclared exception!\n try { \n ModKaprekarNumbers.main(stringArray1);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n // Undeclared exception!\n try { \n ModKaprekarNumbers.main((String[]) null);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String[] stringArray0 = new String[9];\n stringArray0[0] = \"yGF|SL$Vmk&1\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"TfFt'JP[P1cc\";\n stringArray0[4] = \"\";\n stringArray0[5] = \"\";\n stringArray0[6] = \"\";\n stringArray0[7] = \"OYhE?VZ!<\";\n stringArray0[8] = \" \";\n SystemInUtil.addInputLine((String) null);\n // Undeclared exception!\n try { \n ModKaprekarNumbers.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n ModKaprekarNumbers modKaprekarNumbers0 = new ModKaprekarNumbers();\n SystemInUtil.addInputLine(\"\");\n SystemInUtil.addInputLine(\"5\");\n SystemInUtil.addInputLine(\"5\");\n String[] stringArray0 = new String[4];\n ModKaprekarNumbers.main(stringArray0);\n // Undeclared exception!\n try { \n ModKaprekarNumbers.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 06:20:53 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ModKaprekarNumbers_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ModKaprekarNumbers\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpi4lxvo1r\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ModKaprekarNumbers_ESTest_scaffolding.class.getClassLoader() ,\n \"ModKaprekarNumbers\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ModKaprekarNumbers_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ModKaprekarNumbers\"\n );\n }\n}\n", "class_idx": 121} {"class_name": "SystemProperty", "java_source": "import java.util.ArrayList;\nimport java.util.List;\n\n/**\n * @author Kawakicchi\n */\npublic final class SystemProperty {\n\n private List xpds;\n private List xwds;\n private List xmds;\n private List xdds;\n\n public String toString() {\n String ls = \"\\n\";\n try {\n ls = System.getProperty(\"line.separator\");\n } catch (SecurityException e) {\n }\n\n StringBuffer s = new StringBuffer(this.getClass().getName() + ls);\n s.append(\"XPD ---------------\" + ls);\n for (String xpd : xpds) {\n s.append(\" \" + xpd + ls);\n }\n s.append(\"XWD ---------------\" + ls);\n for (String xwd : xwds) {\n s.append(\" \" + xwd + ls);\n }\n s.append(\"XMD ---------------\" + ls);\n for (String xmd : xmds) {\n s.append(\" \" + xmd + ls);\n }\n s.append(\"XDD ---------------\" + ls);\n for (String xdd : xdds) {\n s.append(\" \" + xdd + ls);\n }\n return s.toString();\n }\n\n public SystemProperty() {\n xpds = new ArrayList();\n xwds = new ArrayList();\n xmds = new ArrayList();\n xdds = new ArrayList();\n }\n\n public void addXPD(final String name) {\n xpds.add(name);\n }\n\n public void setXPDList(final List list) {\n xpds = list;\n }\n\n public List getXPDList() {\n return xpds;\n }\n\n public void addXWD(final String name) {\n xwds.add(name);\n }\n\n public void setXWDList(final List list) {\n xwds = list;\n }\n\n public List getXWDList() {\n return xwds;\n }\n\n public void addXMD(final String name) {\n xmds.add(name);\n }\n\n public void setXMDList(final List list) {\n xmds = list;\n }\n\n public List getXMDList() {\n return xmds;\n }\n\n public void addXDD(final String name) {\n xdds.add(name);\n }\n\n public void setXDDList(final List list) {\n xdds = list;\n }\n\n public List getXDDList() {\n return xdds;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super SystemProperty \n.super java/lang/Object \n.field private xpds Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field private xwds Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field private xmds Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field private xdds Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n\n.method public toString : ()Ljava/lang/String; \n .code stack 4 locals 5 \nL0: ldc '\\n' \nL2: astore_1 \n .catch java/lang/SecurityException from L3 to L9 using L12 \nL3: ldc 'line.separator' \nL5: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String; \nL8: astore_1 \nL9: goto L13 \n\n .stack full \n locals Object SystemProperty Object java/lang/String \n stack Object java/lang/SecurityException \n .end stack \nL12: astore_2 \n\n .stack same \nL13: new java/lang/StringBuffer \nL16: dup \nL17: new java/lang/StringBuilder \nL20: dup \nL21: invokespecial Method java/lang/StringBuilder ()V \nL24: aload_0 \nL25: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL28: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; \nL31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL34: aload_1 \nL35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL38: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL41: invokespecial Method java/lang/StringBuffer (Ljava/lang/String;)V \nL44: astore_2 \nL45: aload_2 \nL46: new java/lang/StringBuilder \nL49: dup \nL50: invokespecial Method java/lang/StringBuilder ()V \nL53: ldc 'XPD ---------------' \nL55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL58: aload_1 \nL59: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL62: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL65: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL68: pop \nL69: aload_0 \nL70: getfield Field SystemProperty xpds Ljava/util/List; \nL73: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL78: astore_3 \n\n .stack append Object java/lang/StringBuffer Object java/util/Iterator \nL79: aload_3 \nL80: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL85: ifeq L131 \nL88: aload_3 \nL89: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL94: checkcast java/lang/String \nL97: astore 4 \nL99: aload_2 \nL100: new java/lang/StringBuilder \nL103: dup \nL104: invokespecial Method java/lang/StringBuilder ()V \nL107: ldc ' ' \nL109: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL112: aload 4 \nL114: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL117: aload_1 \nL118: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL121: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL124: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL127: pop \nL128: goto L79 \n\n .stack chop 1 \nL131: aload_2 \nL132: new java/lang/StringBuilder \nL135: dup \nL136: invokespecial Method java/lang/StringBuilder ()V \nL139: ldc 'XWD ---------------' \nL141: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL144: aload_1 \nL145: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL148: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL151: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL154: pop \nL155: aload_0 \nL156: getfield Field SystemProperty xwds Ljava/util/List; \nL159: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL164: astore_3 \n\n .stack append Object java/util/Iterator \nL165: aload_3 \nL166: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL171: ifeq L217 \nL174: aload_3 \nL175: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL180: checkcast java/lang/String \nL183: astore 4 \nL185: aload_2 \nL186: new java/lang/StringBuilder \nL189: dup \nL190: invokespecial Method java/lang/StringBuilder ()V \nL193: ldc ' ' \nL195: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL198: aload 4 \nL200: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL203: aload_1 \nL204: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL207: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL210: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL213: pop \nL214: goto L165 \n\n .stack chop 1 \nL217: aload_2 \nL218: new java/lang/StringBuilder \nL221: dup \nL222: invokespecial Method java/lang/StringBuilder ()V \nL225: ldc 'XMD ---------------' \nL227: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL230: aload_1 \nL231: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL234: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL237: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL240: pop \nL241: aload_0 \nL242: getfield Field SystemProperty xmds Ljava/util/List; \nL245: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL250: astore_3 \n\n .stack append Object java/util/Iterator \nL251: aload_3 \nL252: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL257: ifeq L303 \nL260: aload_3 \nL261: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL266: checkcast java/lang/String \nL269: astore 4 \nL271: aload_2 \nL272: new java/lang/StringBuilder \nL275: dup \nL276: invokespecial Method java/lang/StringBuilder ()V \nL279: ldc ' ' \nL281: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL284: aload 4 \nL286: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL289: aload_1 \nL290: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL293: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL296: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL299: pop \nL300: goto L251 \n\n .stack chop 1 \nL303: aload_2 \nL304: new java/lang/StringBuilder \nL307: dup \nL308: invokespecial Method java/lang/StringBuilder ()V \nL311: ldc 'XDD ---------------' \nL313: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL316: aload_1 \nL317: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL320: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL323: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL326: pop \nL327: aload_0 \nL328: getfield Field SystemProperty xdds Ljava/util/List; \nL331: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL336: astore_3 \n\n .stack append Object java/util/Iterator \nL337: aload_3 \nL338: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL343: ifeq L389 \nL346: aload_3 \nL347: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL352: checkcast java/lang/String \nL355: astore 4 \nL357: aload_2 \nL358: new java/lang/StringBuilder \nL361: dup \nL362: invokespecial Method java/lang/StringBuilder ()V \nL365: ldc ' ' \nL367: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL370: aload 4 \nL372: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL375: aload_1 \nL376: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL379: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL382: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL385: pop \nL386: goto L337 \n\n .stack chop 1 \nL389: aload_2 \nL390: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; \nL393: areturn \nL394: \n .linenumbertable \n L0 18 \n L3 20 \n L9 22 \n L12 21 \n L13 24 \n L45 25 \n L69 26 \n L99 27 \n L128 28 \n L131 29 \n L155 30 \n L185 31 \n L214 32 \n L217 33 \n L241 34 \n L271 35 \n L300 36 \n L303 37 \n L327 38 \n L357 39 \n L386 40 \n L389 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/ArrayList \nL8: dup \nL9: invokespecial Method java/util/ArrayList ()V \nL12: putfield Field SystemProperty xpds Ljava/util/List; \nL15: aload_0 \nL16: new java/util/ArrayList \nL19: dup \nL20: invokespecial Method java/util/ArrayList ()V \nL23: putfield Field SystemProperty xwds Ljava/util/List; \nL26: aload_0 \nL27: new java/util/ArrayList \nL30: dup \nL31: invokespecial Method java/util/ArrayList ()V \nL34: putfield Field SystemProperty xmds Ljava/util/List; \nL37: aload_0 \nL38: new java/util/ArrayList \nL41: dup \nL42: invokespecial Method java/util/ArrayList ()V \nL45: putfield Field SystemProperty xdds Ljava/util/List; \nL48: return \nL49: \n .linenumbertable \n L0 44 \n L4 45 \n L15 46 \n L26 47 \n L37 48 \n L48 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public addXPD : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field SystemProperty xpds Ljava/util/List; \nL4: aload_1 \nL5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL10: pop \nL11: return \nL12: \n .linenumbertable \n L0 52 \n L11 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public setXPDList : (Ljava/util/List;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SystemProperty xpds Ljava/util/List; \nL5: return \nL6: \n .linenumbertable \n L0 56 \n L5 57 \n .end linenumbertable \n .end code \n .signature (Ljava/util/List;)V \n.end method \n\n.method public getXPDList : ()Ljava/util/List; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SystemProperty xpds Ljava/util/List; \nL4: areturn \nL5: \n .linenumbertable \n L0 60 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/List; \n.end method \n\n.method public addXWD : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field SystemProperty xwds Ljava/util/List; \nL4: aload_1 \nL5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL10: pop \nL11: return \nL12: \n .linenumbertable \n L0 64 \n L11 65 \n .end linenumbertable \n .end code \n.end method \n\n.method public setXWDList : (Ljava/util/List;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SystemProperty xwds Ljava/util/List; \nL5: return \nL6: \n .linenumbertable \n L0 68 \n L5 69 \n .end linenumbertable \n .end code \n .signature (Ljava/util/List;)V \n.end method \n\n.method public getXWDList : ()Ljava/util/List; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SystemProperty xwds Ljava/util/List; \nL4: areturn \nL5: \n .linenumbertable \n L0 72 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/List; \n.end method \n\n.method public addXMD : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field SystemProperty xmds Ljava/util/List; \nL4: aload_1 \nL5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL10: pop \nL11: return \nL12: \n .linenumbertable \n L0 76 \n L11 77 \n .end linenumbertable \n .end code \n.end method \n\n.method public setXMDList : (Ljava/util/List;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SystemProperty xmds Ljava/util/List; \nL5: return \nL6: \n .linenumbertable \n L0 80 \n L5 81 \n .end linenumbertable \n .end code \n .signature (Ljava/util/List;)V \n.end method \n\n.method public getXMDList : ()Ljava/util/List; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SystemProperty xmds Ljava/util/List; \nL4: areturn \nL5: \n .linenumbertable \n L0 84 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/List; \n.end method \n\n.method public addXDD : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field SystemProperty xdds Ljava/util/List; \nL4: aload_1 \nL5: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL10: pop \nL11: return \nL12: \n .linenumbertable \n L0 88 \n L11 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public setXDDList : (Ljava/util/List;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SystemProperty xdds Ljava/util/List; \nL5: return \nL6: \n .linenumbertable \n L0 92 \n L5 93 \n .end linenumbertable \n .end code \n .signature (Ljava/util/List;)V \n.end method \n\n.method public getXDDList : ()Ljava/util/List; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SystemProperty xdds Ljava/util/List; \nL4: areturn \nL5: \n .linenumbertable \n L0 96 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/List; \n.end method \n.sourcefile 'SystemProperty.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 07:33:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.List;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SystemProperty_ESTest extends SystemProperty_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.addXDD(\"7yR(,,\");\n systemProperty0.toString();\n systemProperty0.addXMD(\"7yR(,,\");\n List list0 = systemProperty0.getXPDList();\n systemProperty0.setXMDList(list0);\n List list1 = systemProperty0.getXDDList();\n assertFalse(list1.equals((Object)list0));\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.setXWDList((List) null);\n List list0 = systemProperty0.getXWDList();\n assertNull(list0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.addXWD(\"\");\n List list0 = systemProperty0.getXWDList();\n assertEquals(1, list0.size());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.setXPDList((List) null);\n List list0 = systemProperty0.getXPDList();\n assertNull(list0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n List list0 = systemProperty0.getXPDList();\n systemProperty0.setXMDList(list0);\n systemProperty0.addXMD(\"SystemProperty\\nXPD ---------------\\nXWD ---------------\\n \\nXMD ---------------\\nXDD ---------------\\n\");\n List list1 = systemProperty0.getXPDList();\n assertEquals(1, list1.size());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.setXMDList((List) null);\n List list0 = systemProperty0.getXMDList();\n assertNull(list0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.setXDDList((List) null);\n List list0 = systemProperty0.getXDDList();\n assertNull(list0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.addXDD(\"\");\n List list0 = systemProperty0.getXDDList();\n systemProperty0.setXMDList(list0);\n List list1 = systemProperty0.getXMDList();\n assertFalse(list1.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n List list0 = systemProperty0.getXDDList();\n systemProperty0.setXWDList(list0);\n assertTrue(list0.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.addXWD(\"\");\n String string0 = systemProperty0.toString();\n assertEquals(\"SystemProperty\\nXPD ---------------\\nXWD ---------------\\n \\nXMD ---------------\\nXDD ---------------\\n\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n List list0 = systemProperty0.getXWDList();\n assertEquals(0, list0.size());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n systemProperty0.addXPD(\"SystemProperty\\nXPD ---------------\\nXWD ---------------\\n \\nXMD ---------------\\n \\nXDD ---------------\\n \\n\");\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n List list0 = systemProperty0.getXPDList();\n systemProperty0.setXMDList(list0);\n systemProperty0.addXMD(\"SystemProperty\\nXPD ---------------\\nXWD ---------------\\n \\nXMD ---------------\\nXDD ---------------\\n\");\n String string0 = systemProperty0.toString();\n assertEquals(\"SystemProperty\\nXPD ---------------\\n SystemProperty\\nXPD ---------------\\nXWD ---------------\\n \\nXMD ---------------\\nXDD ---------------\\n\\nXWD ---------------\\nXMD ---------------\\n SystemProperty\\nXPD ---------------\\nXWD ---------------\\n \\nXMD ---------------\\nXDD ---------------\\n\\nXDD ---------------\\n\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n SystemProperty systemProperty0 = new SystemProperty();\n List list0 = systemProperty0.getXMDList();\n assertEquals(0, list0.size());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 07:33:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SystemProperty_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SystemProperty\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpao1mypbx\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SystemProperty_ESTest_scaffolding.class.getClassLoader() ,\n \"SystemProperty\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SystemProperty_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SystemProperty\"\n );\n }\n}\n", "class_idx": 122} {"class_name": "Dictionary", "java_source": "/*\n * Copyright (c) 2014. Licensed under GPL-2. See license.txt in project folder.\n */\n\nimport static java.util.Locale.*;\n\nimport java.io.BufferedReader;\nimport java.io.IOException;\nimport java.io.InputStream;\nimport java.io.InputStreamReader;\nimport java.util.ArrayList;\nimport java.util.HashMap;\n\n/** Created by christian on 1/26/14. */\npublic class Dictionary {\n private HashMap> words;\n\n public Dictionary() throws IOException {\n words = new HashMap>();\n\n InputStream resourceAsStream =\n getClass().getClassLoader().getResourceAsStream(\"top10000de.txt\");\n InputStreamReader inputStreamReader = new InputStreamReader(resourceAsStream);\n BufferedReader bufferedReader = new BufferedReader(inputStreamReader);\n\n String word;\n while ((word = bufferedReader.readLine()) != null) {\n if (!word.trim().contains(\" \")) {\n // System.out.println(\"\" + word.trim());\n\n int length = word.trim().length();\n if (!words.containsKey(length)) {\n words.put(length, new ArrayList());\n }\n ArrayList strings = words.get(length);\n strings.add(word.trim());\n }\n }\n\n // for (Integer key : words.keySet()) {\n // System.out.println(\"length: \" + key);\n //\n // ArrayList strings = words.get(key);\n // for (String string : strings) {\n // System.out.println(string);\n // }\n // }\n\n }\n\n public HashMap> getWords() {\n return words;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Dictionary \n.super java/lang/Object \n.field private words Ljava/util/HashMap; .fieldattributes \n .signature Ljava/util/HashMap;>; \n.end fieldattributes \n\n.method public : ()V \n .code stack 4 locals 7 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/HashMap \nL8: dup \nL9: invokespecial Method java/util/HashMap ()V \nL12: putfield Field Dictionary words Ljava/util/HashMap; \nL15: aload_0 \nL16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL19: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader; \nL22: ldc 'top10000de.txt' \nL24: invokevirtual Method java/lang/ClassLoader getResourceAsStream (Ljava/lang/String;)Ljava/io/InputStream; \nL27: astore_1 \nL28: new java/io/InputStreamReader \nL31: dup \nL32: aload_1 \nL33: invokespecial Method java/io/InputStreamReader (Ljava/io/InputStream;)V \nL36: astore_2 \nL37: new java/io/BufferedReader \nL40: dup \nL41: aload_2 \nL42: invokespecial Method java/io/BufferedReader (Ljava/io/Reader;)V \nL45: astore_3 \n\n .stack full \n locals Object Dictionary Object java/io/InputStream Object java/io/InputStreamReader Object java/io/BufferedReader \n stack \n .end stack \nL46: aload_3 \nL47: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String; \nL50: dup \nL51: astore 4 \nL53: ifnull L145 \nL56: aload 4 \nL58: invokevirtual Method java/lang/String trim ()Ljava/lang/String; \nL61: ldc ' ' \nL63: invokevirtual Method java/lang/String contains (Ljava/lang/CharSequence;)Z \nL66: ifne L46 \nL69: aload 4 \nL71: invokevirtual Method java/lang/String trim ()Ljava/lang/String; \nL74: invokevirtual Method java/lang/String length ()I \nL77: istore 5 \nL79: aload_0 \nL80: getfield Field Dictionary words Ljava/util/HashMap; \nL83: iload 5 \nL85: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL88: invokevirtual Method java/util/HashMap containsKey (Ljava/lang/Object;)Z \nL91: ifne L114 \nL94: aload_0 \nL95: getfield Field Dictionary words Ljava/util/HashMap; \nL98: iload 5 \nL100: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL103: new java/util/ArrayList \nL106: dup \nL107: invokespecial Method java/util/ArrayList ()V \nL110: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL113: pop \n\n .stack append Object java/lang/String Integer \nL114: aload_0 \nL115: getfield Field Dictionary words Ljava/util/HashMap; \nL118: iload 5 \nL120: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL123: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object; \nL126: checkcast java/util/ArrayList \nL129: astore 6 \nL131: aload 6 \nL133: aload 4 \nL135: invokevirtual Method java/lang/String trim ()Ljava/lang/String; \nL138: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z \nL141: pop \nL142: goto L46 \n\n .stack chop 1 \nL145: return \nL146: \n .linenumbertable \n L0 23 \n L4 24 \n L15 26 \n L28 27 \n L37 28 \n L46 31 \n L56 32 \n L69 35 \n L79 36 \n L94 37 \n L114 39 \n L131 40 \n L142 41 \n L145 54 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public getWords : ()Ljava/util/HashMap; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Dictionary words Ljava/util/HashMap; \nL4: areturn \nL5: \n .linenumbertable \n L0 57 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/HashMap;>; \n.end method \n.sourcefile 'Dictionary.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 16:03:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Dictionary_ESTest extends Dictionary_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Dictionary dictionary0 = null;\n try {\n dictionary0 = new Dictionary();\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.io.Reader\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 16:03:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Dictionary_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Dictionary\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpm35vbc5v\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Dictionary_ESTest_scaffolding.class.getClassLoader() ,\n \"Dictionary\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Dictionary_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Dictionary\"\n );\n }\n}\n", "class_idx": 123} {"class_name": "AddNumberBase36", "java_source": "/**\n * Created by coura on 29.04.2016. \u0414\u0430\u043d\u043e 2 \u0447\u0438\u0441\u043b\u0430 \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u0456 \u0447\u0438\u0441\u043b\u0435\u043d\u043d\u044f \u0437 \u043e\u0441\u043d\u043e\u0432\u043e\u044e 36. \u0411\u0443\u0434\u044c-\u044f\u043a\u0430 \u0446\u0438\u0444\u0440\u0430 \u043c\u043e\u0436\u0435\n * \u0431\u0443\u0442\u0438 \u0432 \u043c\u0435\u0436\u0430\u0445 [0-9a-z]. \u041f\u043e\u0432\u0435\u0440\u043d\u0443\u0442\u0438 \u0441\u0443\u043c\u0443 \u0447\u0438\u0441\u0435\u043b, \u0442\u0430\u043a\u043e\u0436 \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u0456 36. \u041d\u0430\u043f\u0440\u0438\u043a\u043b\u0430\u0434: \"9\" + \"1\" = \"a\" \"z\" +\n * \"1\" = \"10\"\n */\npublic class AddNumberBase36 {\n\n public String add(String a, String b) {\n\n String numbers = \"0123456789abcdefghijklmnopqrstuvwxyz\";\n StringBuilder result = new StringBuilder();\n a = new StringBuilder(a).reverse().toString().toLowerCase();\n b = new StringBuilder(b).reverse().toString().toLowerCase();\n\n int lengthOfMaxString;\n String stringOfMaxLength;\n if (a.length() >= b.length()) {\n lengthOfMaxString = a.length();\n stringOfMaxLength = a;\n } else {\n lengthOfMaxString = b.length();\n stringOfMaxLength = b;\n }\n\n int remainder = 0;\n for (int i = 0; i < lengthOfMaxString; i++) {\n try {\n int sumOfIndex = numbers.indexOf(a.charAt(i)) + numbers.indexOf(b.charAt(i));\n if (sumOfIndex + remainder < 36) {\n result.append(numbers.charAt(sumOfIndex + remainder));\n remainder = 0;\n } else {\n result.append(numbers.charAt(sumOfIndex + remainder - 36));\n remainder = 1;\n }\n } catch (IndexOutOfBoundsException e) {\n for (int j = i; j < lengthOfMaxString; j++) {\n int index = numbers.indexOf(stringOfMaxLength.charAt(j));\n if (index + remainder < 36) {\n result.append(numbers.charAt(index + remainder));\n remainder = 0;\n } else {\n result.append(numbers.charAt(index + remainder - 36));\n remainder = 1;\n }\n }\n break;\n }\n }\n if (remainder == 1) result.append(1);\n return result.reverse().toString();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super AddNumberBase36 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public add : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 4 locals 12 \nL0: ldc '0123456789abcdefghijklmnopqrstuvwxyz' \nL2: astore_3 \nL3: new java/lang/StringBuilder \nL6: dup \nL7: invokespecial Method java/lang/StringBuilder ()V \nL10: astore 4 \nL12: new java/lang/StringBuilder \nL15: dup \nL16: aload_1 \nL17: invokespecial Method java/lang/StringBuilder (Ljava/lang/String;)V \nL20: invokevirtual Method java/lang/StringBuilder reverse ()Ljava/lang/StringBuilder; \nL23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL26: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String; \nL29: astore_1 \nL30: new java/lang/StringBuilder \nL33: dup \nL34: aload_2 \nL35: invokespecial Method java/lang/StringBuilder (Ljava/lang/String;)V \nL38: invokevirtual Method java/lang/StringBuilder reverse ()Ljava/lang/StringBuilder; \nL41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL44: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String; \nL47: astore_2 \nL48: aload_1 \nL49: invokevirtual Method java/lang/String length ()I \nL52: aload_2 \nL53: invokevirtual Method java/lang/String length ()I \nL56: if_icmplt L71 \nL59: aload_1 \nL60: invokevirtual Method java/lang/String length ()I \nL63: istore 5 \nL65: aload_1 \nL66: astore 6 \nL68: goto L80 \n\n .stack append Object java/lang/String Object java/lang/StringBuilder \nL71: aload_2 \nL72: invokevirtual Method java/lang/String length ()I \nL75: istore 5 \nL77: aload_2 \nL78: astore 6 \n\n .stack append Integer Object java/lang/String \nL80: iconst_0 \nL81: istore 7 \nL83: iconst_0 \nL84: istore 8 \n\n .stack append Integer Integer \nL86: iload 8 \nL88: iload 5 \nL90: if_icmpge L264 \n .catch java/lang/IndexOutOfBoundsException from L93 to L168 using L171 \nL93: aload_3 \nL94: aload_1 \nL95: iload 8 \nL97: invokevirtual Method java/lang/String charAt (I)C \nL100: invokevirtual Method java/lang/String indexOf (I)I \nL103: aload_3 \nL104: aload_2 \nL105: iload 8 \nL107: invokevirtual Method java/lang/String charAt (I)C \nL110: invokevirtual Method java/lang/String indexOf (I)I \nL113: iadd \nL114: istore 9 \nL116: iload 9 \nL118: iload 7 \nL120: iadd \nL121: bipush 36 \nL123: if_icmpge L147 \nL126: aload 4 \nL128: aload_3 \nL129: iload 9 \nL131: iload 7 \nL133: iadd \nL134: invokevirtual Method java/lang/String charAt (I)C \nL137: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL140: pop \nL141: iconst_0 \nL142: istore 7 \nL144: goto L168 \n\n .stack append Integer \nL147: aload 4 \nL149: aload_3 \nL150: iload 9 \nL152: iload 7 \nL154: iadd \nL155: bipush 36 \nL157: isub \nL158: invokevirtual Method java/lang/String charAt (I)C \nL161: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL164: pop \nL165: iconst_1 \nL166: istore 7 \n\n .stack chop 1 \nL168: goto L258 \n\n .stack stack_1 Object java/lang/IndexOutOfBoundsException \nL171: astore 9 \nL173: iload 8 \nL175: istore 10 \n\n .stack append Object java/lang/IndexOutOfBoundsException Integer \nL177: iload 10 \nL179: iload 5 \nL181: if_icmpge L255 \nL184: aload_3 \nL185: aload 6 \nL187: iload 10 \nL189: invokevirtual Method java/lang/String charAt (I)C \nL192: invokevirtual Method java/lang/String indexOf (I)I \nL195: istore 11 \nL197: iload 11 \nL199: iload 7 \nL201: iadd \nL202: bipush 36 \nL204: if_icmpge L228 \nL207: aload 4 \nL209: aload_3 \nL210: iload 11 \nL212: iload 7 \nL214: iadd \nL215: invokevirtual Method java/lang/String charAt (I)C \nL218: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL221: pop \nL222: iconst_0 \nL223: istore 7 \nL225: goto L249 \n\n .stack append Integer \nL228: aload 4 \nL230: aload_3 \nL231: iload 11 \nL233: iload 7 \nL235: iadd \nL236: bipush 36 \nL238: isub \nL239: invokevirtual Method java/lang/String charAt (I)C \nL242: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL245: pop \nL246: iconst_1 \nL247: istore 7 \n\n .stack chop 1 \nL249: iinc 10 1 \nL252: goto L177 \n\n .stack chop 1 \nL255: goto L264 \n\n .stack chop 1 \nL258: iinc 8 1 \nL261: goto L86 \n\n .stack chop 1 \nL264: iload 7 \nL266: iconst_1 \nL267: if_icmpne L277 \nL270: aload 4 \nL272: iconst_1 \nL273: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL276: pop \n\n .stack same \nL277: aload 4 \nL279: invokevirtual Method java/lang/StringBuilder reverse ()Ljava/lang/StringBuilder; \nL282: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL285: areturn \nL286: \n .linenumbertable \n L0 16 \n L3 17 \n L12 18 \n L30 19 \n L48 23 \n L59 24 \n L65 25 \n L71 27 \n L77 28 \n L80 31 \n L83 32 \n L93 34 \n L116 35 \n L126 36 \n L141 37 \n L147 39 \n L165 40 \n L168 54 \n L171 42 \n L173 43 \n L184 44 \n L197 45 \n L207 46 \n L222 47 \n L228 49 \n L246 50 \n L249 43 \n L255 53 \n L258 32 \n L264 56 \n L277 57 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'AddNumberBase36.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:56:29 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class AddNumberBase36_ESTest extends AddNumberBase36_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n AddNumberBase36 addNumberBase36_0 = new AddNumberBase36();\n addNumberBase36_0.add(\"\", \"0123456789abcdefghijjmm903o6fkypyxth\");\n // Undeclared exception!\n try { \n addNumberBase36_0.add(\"c}4T L7`EbY_~\", \"Z@ciUkn\\\"(1e ]\n * This file is part of the ethereumJ library.\n *\n * The ethereumJ library is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Lesser General Public License as published by\n * the Free Software Foundation, either version 3 of the License, or\n * (at your option) any later version.\n *\n * The ethereumJ library is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Lesser General Public License for more details.\n *\n * You should have received a copy of the GNU Lesser General Public License\n * along with the ethereumJ library. If not, see .\n */\n\n/** Created by Anton Nashatyrev on 15.07.2016. */\npublic class TxStatus {\n\n public static final TxStatus REJECTED = new TxStatus(0);\n public static final TxStatus PENDING = new TxStatus(0);\n\n public static TxStatus getConfirmed(int blocks) {\n return new TxStatus(blocks);\n }\n\n public final int confirmed;\n\n private TxStatus(int confirmed) {\n this.confirmed = confirmed;\n }\n\n @Override\n public String toString() {\n if (this == REJECTED) return \"REJECTED\";\n if (this == PENDING) return \"PENDING\";\n return \"CONFIRMED_\" + confirmed;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super TxStatus \n.super java/lang/Object \n.field public static final REJECTED LTxStatus; \n.field public static final PENDING LTxStatus; \n.field public final confirmed I \n\n.method public static getConfirmed : (I)LTxStatus; \n .code stack 3 locals 1 \nL0: new TxStatus \nL3: dup \nL4: iload_0 \nL5: invokespecial Method TxStatus (I)V \nL8: areturn \nL9: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method private : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field TxStatus confirmed I \nL9: return \nL10: \n .linenumbertable \n L0 33 \n L4 34 \n L9 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getstatic Field TxStatus REJECTED LTxStatus; \nL4: if_acmpne L10 \nL7: ldc 'REJECTED' \nL9: areturn \n\n .stack same \nL10: aload_0 \nL11: getstatic Field TxStatus PENDING LTxStatus; \nL14: if_acmpne L20 \nL17: ldc 'PENDING' \nL19: areturn \n\n .stack same \nL20: new java/lang/StringBuilder \nL23: dup \nL24: invokespecial Method java/lang/StringBuilder ()V \nL27: ldc 'CONFIRMED_' \nL29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL32: aload_0 \nL33: getfield Field TxStatus confirmed I \nL36: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL39: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL42: areturn \nL43: \n .linenumbertable \n L0 39 \n L10 40 \n L20 41 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 3 locals 0 \nL0: new TxStatus \nL3: dup \nL4: iconst_0 \nL5: invokespecial Method TxStatus (I)V \nL8: putstatic Field TxStatus REJECTED LTxStatus; \nL11: new TxStatus \nL14: dup \nL15: iconst_0 \nL16: invokespecial Method TxStatus (I)V \nL19: putstatic Field TxStatus PENDING LTxStatus; \nL22: return \nL23: \n .linenumbertable \n L0 25 \n L11 26 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TxStatus.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 14:34:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TxStatus_ESTest extends TxStatus_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TxStatus txStatus0 = TxStatus.getConfirmed(90);\n String string0 = txStatus0.REJECTED.toString();\n assertEquals(\"REJECTED\", string0);\n assertEquals(90, txStatus0.confirmed);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n TxStatus txStatus0 = TxStatus.getConfirmed((-24664));\n String string0 = txStatus0.toString();\n assertEquals(\"CONFIRMED_-24664\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 14:34:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TxStatus_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TxStatus\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpflp493vq\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TxStatus_ESTest_scaffolding.class.getClassLoader() ,\n \"TxStatus\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TxStatus_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TxStatus\"\n );\n }\n}\n", "class_idx": 125} {"class_name": "CombinationSumIII", "java_source": "import java.util.ArrayList;\nimport java.util.List;\n\n/*\nFind all possible combinations of k numbers that add up to a number n, given that only numbers from 1 to 9 can be used and each combination should be a unique set of numbers.\n\nEnsure that numbers within the set are sorted in ascending order.\n\nExample 1:\n\nInput: k = 3, n = 7\n\nOutput:\n[[1,2,4]]\n\nExample 2:\n\nInput: k = 3, n = 9\n\nOutput:\n[[1,2,6], [1,3,5], [2,3,4]]\n*/\n\npublic class CombinationSumIII {\n public List> combinationSum3(int k, int n) {\n List> res = new ArrayList<>();\n if (k < 1 || n < 1 || n < k) return res;\n List path = new ArrayList<>();\n dfs(path, res, k, n, 1);\n return res;\n }\n\n private void dfs(List path, List> res, int k, int n, int index) {\n if (k == 0) {\n if (n == 0) res.add(new ArrayList<>(path));\n return;\n }\n for (int i = index; i <= n / k && i < 10; i++) {\n path.add(i);\n dfs(path, res, k - 1, n - i, i + 1);\n path.remove(path.size() - 1);\n }\n }\n\n public static void main(String[] args) {\n CombinationSumIII sol = new CombinationSumIII();\n System.out.println(sol.combinationSum3(3, 9));\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CombinationSumIII \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public combinationSum3 : (II)Ljava/util/List; \n .code stack 6 locals 5 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_3 \nL8: iload_1 \nL9: iconst_1 \nL10: if_icmplt L23 \nL13: iload_2 \nL14: iconst_1 \nL15: if_icmplt L23 \nL18: iload_2 \nL19: iload_1 \nL20: if_icmpge L25 \n\n .stack append Object java/util/List \nL23: aload_3 \nL24: areturn \n\n .stack same \nL25: new java/util/ArrayList \nL28: dup \nL29: invokespecial Method java/util/ArrayList ()V \nL32: astore 4 \nL34: aload_0 \nL35: aload 4 \nL37: aload_3 \nL38: iload_1 \nL39: iload_2 \nL40: iconst_1 \nL41: invokespecial Method CombinationSumIII dfs (Ljava/util/List;Ljava/util/List;III)V \nL44: aload_3 \nL45: areturn \nL46: \n .linenumbertable \n L0 26 \n L8 27 \n L23 28 \n L25 29 \n L34 30 \n L44 31 \n .end linenumbertable \n .end code \n .signature (II)Ljava/util/List;>; \n.end method \n\n.method private dfs : (Ljava/util/List;Ljava/util/List;III)V \n .code stack 7 locals 7 \nL0: iload_3 \nL1: ifne L25 \nL4: iload 4 \nL6: ifne L24 \nL9: aload_2 \nL10: new java/util/ArrayList \nL13: dup \nL14: aload_1 \nL15: invokespecial Method java/util/ArrayList (Ljava/util/Collection;)V \nL18: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL23: pop \n\n .stack same \nL24: return \n\n .stack same \nL25: iload 5 \nL27: istore 6 \n\n .stack append Integer \nL29: iload 6 \nL31: iload 4 \nL33: iload_3 \nL34: idiv \nL35: if_icmpgt L96 \nL38: iload 6 \nL40: bipush 10 \nL42: if_icmpge L96 \nL45: aload_1 \nL46: iload 6 \nL48: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL51: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL56: pop \nL57: aload_0 \nL58: aload_1 \nL59: aload_2 \nL60: iload_3 \nL61: iconst_1 \nL62: isub \nL63: iload 4 \nL65: iload 6 \nL67: isub \nL68: iload 6 \nL70: iconst_1 \nL71: iadd \nL72: invokespecial Method CombinationSumIII dfs (Ljava/util/List;Ljava/util/List;III)V \nL75: aload_1 \nL76: aload_1 \nL77: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL82: iconst_1 \nL83: isub \nL84: invokeinterface InterfaceMethod java/util/List remove (I)Ljava/lang/Object; 2 \nL89: pop \nL90: iinc 6 1 \nL93: goto L29 \n\n .stack chop 1 \nL96: return \nL97: \n .linenumbertable \n L0 36 \n L4 37 \n L9 38 \n L24 39 \n L25 41 \n L45 42 \n L57 43 \n L75 44 \n L90 41 \n L96 46 \n .end linenumbertable \n .end code \n .signature (Ljava/util/List;Ljava/util/List;>;III)V \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 4 locals 2 \nL0: new CombinationSumIII \nL3: dup \nL4: invokespecial Method CombinationSumIII ()V \nL7: astore_1 \nL8: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL11: aload_1 \nL12: iconst_3 \nL13: bipush 9 \nL15: invokevirtual Method CombinationSumIII combinationSum3 (II)Ljava/util/List; \nL18: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL21: return \nL22: \n .linenumbertable \n L0 49 \n L8 50 \n L21 51 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CombinationSumIII.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 08:53:17 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.List;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CombinationSumIII_ESTest extends CombinationSumIII_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[7];\n stringArray0[0] = \"TeG:\\\"qT)\";\n stringArray0[1] = \"@\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"[0\u007f;vv?'> list0 = combinationSumIII0.combinationSum3(1, 3);\n assertEquals(1, list0.size());\n \n CombinationSumIII.main((String[]) null);\n combinationSumIII0.combinationSum3(28291, (-1));\n combinationSumIII0.combinationSum3(1, (-26364));\n combinationSumIII0.combinationSum3(0, 0);\n combinationSumIII0.combinationSum3(0, 1);\n CombinationSumIII.main((String[]) null);\n CombinationSumIII.main((String[]) null);\n combinationSumIII0.combinationSum3(261, 1);\n combinationSumIII0.combinationSum3(3, (-18952));\n CombinationSumIII.main((String[]) null);\n combinationSumIII0.combinationSum3(31082, 0);\n combinationSumIII0.combinationSum3(261, (-18952));\n List> list1 = combinationSumIII0.combinationSum3(0, 3);\n assertTrue(list1.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n CombinationSumIII combinationSumIII0 = new CombinationSumIII();\n String[] stringArray0 = new String[2];\n CombinationSumIII.main(stringArray0);\n stringArray0[0] = \"vFcD1p]Q9l(\";\n stringArray0[1] = \"\";\n CombinationSumIII.main(stringArray0);\n List> list0 = combinationSumIII0.combinationSum3((-1), (-1));\n List> list1 = combinationSumIII0.combinationSum3(48943, (-1));\n assertTrue(list1.equals((Object)list0));\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n CombinationSumIII combinationSumIII0 = new CombinationSumIII();\n String[] stringArray0 = new String[9];\n stringArray0[0] = \"\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"\";\n stringArray0[4] = \"\";\n stringArray0[5] = \"CombinationSumIII\";\n stringArray0[6] = \"\";\n stringArray0[7] = \"\";\n stringArray0[8] = \"Ed|prh`!xw9;7+[m+L4\";\n CombinationSumIII.main(stringArray0);\n List> list0 = combinationSumIII0.combinationSum3(9, (-15764));\n assertEquals(0, list0.size());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n String[] stringArray0 = new String[5];\n stringArray0[0] = \"DOyDHEpa,VbVGHC8h\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"EUqh4a?7.2j\";\n stringArray0[4] = \"\";\n CombinationSumIII.main(stringArray0);\n CombinationSumIII combinationSumIII0 = new CombinationSumIII();\n CombinationSumIII.main(stringArray0);\n combinationSumIII0.combinationSum3(0, 0);\n combinationSumIII0.combinationSum3(0, 0);\n CombinationSumIII.main(stringArray0);\n combinationSumIII0.combinationSum3(0, (-1687));\n String[] stringArray1 = new String[1];\n stringArray1[0] = \"\";\n CombinationSumIII.main(stringArray1);\n combinationSumIII0.combinationSum3(0, 0);\n CombinationSumIII.main(stringArray0);\n assertEquals(5, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n CombinationSumIII combinationSumIII0 = new CombinationSumIII();\n String[] stringArray0 = new String[7];\n stringArray0[0] = \"\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"M$\u007f|m\";\n stringArray0[3] = \"\";\n stringArray0[4] = \"\";\n stringArray0[5] = \"\";\n stringArray0[6] = \"CombinationSumIII\";\n CombinationSumIII.main(stringArray0);\n assertEquals(7, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n CombinationSumIII combinationSumIII0 = new CombinationSumIII();\n String[] stringArray0 = new String[2];\n stringArray0[0] = \"\";\n stringArray0[1] = \"\";\n CombinationSumIII.main(stringArray0);\n combinationSumIII0.combinationSum3(1, 1);\n String[] stringArray1 = new String[4];\n stringArray1[0] = \"j3#Pub%ykoV;aD>x%\";\n combinationSumIII0.combinationSum3(0, (-1));\n List> list0 = combinationSumIII0.combinationSum3(1, 47250);\n combinationSumIII0.combinationSum3(1, (-10346));\n stringArray1[1] = \":)\u007fOn61k:m\";\n stringArray1[2] = \"K\";\n stringArray1[3] = \"z&~S\";\n combinationSumIII0.combinationSum3((-68170), 0);\n CombinationSumIII.main(stringArray1);\n combinationSumIII0.combinationSum3((-66288), (-68170));\n CombinationSumIII.main((String[]) null);\n List> list1 = combinationSumIII0.combinationSum3(1, 1);\n List> list2 = combinationSumIII0.combinationSum3(0, (-45665));\n assertFalse(list2.equals((Object)list1));\n assertTrue(list2.equals((Object)list0));\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n String[] stringArray0 = new String[2];\n stringArray0[0] = \"LW^>K)hiZVKqdP\";\n stringArray0[1] = \"\";\n CombinationSumIII.main(stringArray0);\n assertEquals(2, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 08:53:17 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CombinationSumIII_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CombinationSumIII\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpomu_1u6v\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CombinationSumIII_ESTest_scaffolding.class.getClassLoader() ,\n \"CombinationSumIII\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CombinationSumIII_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CombinationSumIII\"\n );\n }\n}\n", "class_idx": 126} {"class_name": "Main", "java_source": "// \"Replace Stream API chain with loop\" \"true\"\n\nimport java.util.*;\n\npublic class Main {\n private static Optional max(\n Map> dependencies, String fruits, Map weights) {\n boolean seen = false;\n String best = null;\n for (String s : dependencies.get(fruits)) {\n if (!seen || weights.get(s) - weights.get(best) > 0) {\n seen = true;\n best = s;\n }\n }\n return seen ? Optional.of(best) : Optional.empty();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Main \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method private static max : (Ljava/util/Map;Ljava/lang/String;Ljava/util/Map;)Ljava/util/Optional; \n .code stack 3 locals 7 \nL0: iconst_0 \nL1: istore_3 \nL2: aconst_null \nL3: astore 4 \nL5: aload_0 \nL6: aload_1 \nL7: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 \nL12: checkcast java/util/List \nL15: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL20: astore 5 \n\n .stack append Integer Object java/lang/String Object java/util/Iterator \nL22: aload 5 \nL24: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL29: ifeq L89 \nL32: aload 5 \nL34: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL39: checkcast java/lang/String \nL42: astore 6 \nL44: iload_3 \nL45: ifeq L80 \nL48: aload_2 \nL49: aload 6 \nL51: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 \nL56: checkcast java/lang/Integer \nL59: invokevirtual Method java/lang/Integer intValue ()I \nL62: aload_2 \nL63: aload 4 \nL65: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 \nL70: checkcast java/lang/Integer \nL73: invokevirtual Method java/lang/Integer intValue ()I \nL76: isub \nL77: ifle L86 \n\n .stack append Object java/lang/String \nL80: iconst_1 \nL81: istore_3 \nL82: aload 6 \nL84: astore 4 \n\n .stack chop 1 \nL86: goto L22 \n\n .stack chop 1 \nL89: iload_3 \nL90: ifeq L101 \nL93: aload 4 \nL95: invokestatic Method java/util/Optional of (Ljava/lang/Object;)Ljava/util/Optional; \nL98: goto L104 \n\n .stack same \nL101: invokestatic Method java/util/Optional empty ()Ljava/util/Optional; \n\n .stack stack_1 Object java/util/Optional \nL104: areturn \nL105: \n .linenumbertable \n L0 7 \n L2 8 \n L5 9 \n L44 10 \n L80 11 \n L82 12 \n L86 14 \n L89 15 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Map;>;Ljava/lang/String;Ljava/util/Map;)Ljava/util/Optional; \n.end method \n.sourcefile 'Main.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 19:57:07 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Main_ESTest extends Main_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Main main0 = new Main();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 19:57:07 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Main_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Main\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpqkd6z2jl\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Main_ESTest_scaffolding.class.getClassLoader() ,\n \"Main\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Main\"\n );\n }\n}\n", "class_idx": 127} {"class_name": "WitherWithDollar", "java_source": "class WitherWithDollar {\n int $i;\n}\n", "jasm_code": ".version 52 0 \n.class super WitherWithDollar \n.super java/lang/Object \n.field $i I \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 1 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'WitherWithDollar.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 09:21:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class WitherWithDollar_ESTest extends WitherWithDollar_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n WitherWithDollar witherWithDollar0 = new WitherWithDollar();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 09:21:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class WitherWithDollar_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"WitherWithDollar\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpsz6gp7a7\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WitherWithDollar_ESTest_scaffolding.class.getClassLoader() ,\n \"WitherWithDollar\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WitherWithDollar_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"WitherWithDollar\"\n );\n }\n}\n", "class_idx": 128} {"class_name": "Xf9", "java_source": "/*\n * Copyright (C) 2015 Giuseppe Cardone \n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * Character map for Unicode characters with codepoint U+F9xx.\n *\n * @author Giuseppe Cardone\n * @version 0.1\n */\nclass Xf9 {\n\n public static final String[] map =\n new String[] {\n \"Kay \", // 0x00\n \"Kayng \", // 0x01\n \"Ke \", // 0x02\n \"Ko \", // 0x03\n \"Kol \", // 0x04\n \"Koc \", // 0x05\n \"Kwi \", // 0x06\n \"Kwi \", // 0x07\n \"Kyun \", // 0x08\n \"Kul \", // 0x09\n \"Kum \", // 0x0a\n \"Na \", // 0x0b\n \"Na \", // 0x0c\n \"Na \", // 0x0d\n \"La \", // 0x0e\n \"Na \", // 0x0f\n \"Na \", // 0x10\n \"Na \", // 0x11\n \"Na \", // 0x12\n \"Na \", // 0x13\n \"Nak \", // 0x14\n \"Nak \", // 0x15\n \"Nak \", // 0x16\n \"Nak \", // 0x17\n \"Nak \", // 0x18\n \"Nak \", // 0x19\n \"Nak \", // 0x1a\n \"Nan \", // 0x1b\n \"Nan \", // 0x1c\n \"Nan \", // 0x1d\n \"Nan \", // 0x1e\n \"Nan \", // 0x1f\n \"Nan \", // 0x20\n \"Nam \", // 0x21\n \"Nam \", // 0x22\n \"Nam \", // 0x23\n \"Nam \", // 0x24\n \"Nap \", // 0x25\n \"Nap \", // 0x26\n \"Nap \", // 0x27\n \"Nang \", // 0x28\n \"Nang \", // 0x29\n \"Nang \", // 0x2a\n \"Nang \", // 0x2b\n \"Nang \", // 0x2c\n \"Nay \", // 0x2d\n \"Nayng \", // 0x2e\n \"No \", // 0x2f\n \"No \", // 0x30\n \"No \", // 0x31\n \"No \", // 0x32\n \"No \", // 0x33\n \"No \", // 0x34\n \"No \", // 0x35\n \"No \", // 0x36\n \"No \", // 0x37\n \"No \", // 0x38\n \"No \", // 0x39\n \"No \", // 0x3a\n \"Nok \", // 0x3b\n \"Nok \", // 0x3c\n \"Nok \", // 0x3d\n \"Nok \", // 0x3e\n \"Nok \", // 0x3f\n \"Nok \", // 0x40\n \"Non \", // 0x41\n \"Nong \", // 0x42\n \"Nong \", // 0x43\n \"Nong \", // 0x44\n \"Nong \", // 0x45\n \"Noy \", // 0x46\n \"Noy \", // 0x47\n \"Noy \", // 0x48\n \"Noy \", // 0x49\n \"Nwu \", // 0x4a\n \"Nwu \", // 0x4b\n \"Nwu \", // 0x4c\n \"Nwu \", // 0x4d\n \"Nwu \", // 0x4e\n \"Nwu \", // 0x4f\n \"Nwu \", // 0x50\n \"Nwu \", // 0x51\n \"Nuk \", // 0x52\n \"Nuk \", // 0x53\n \"Num \", // 0x54\n \"Nung \", // 0x55\n \"Nung \", // 0x56\n \"Nung \", // 0x57\n \"Nung \", // 0x58\n \"Nung \", // 0x59\n \"Twu \", // 0x5a\n \"La \", // 0x5b\n \"Lak \", // 0x5c\n \"Lak \", // 0x5d\n \"Lan \", // 0x5e\n \"Lyeng \", // 0x5f\n \"Lo \", // 0x60\n \"Lyul \", // 0x61\n \"Li \", // 0x62\n \"Pey \", // 0x63\n \"Pen \", // 0x64\n \"Pyen \", // 0x65\n \"Pwu \", // 0x66\n \"Pwul \", // 0x67\n \"Pi \", // 0x68\n \"Sak \", // 0x69\n \"Sak \", // 0x6a\n \"Sam \", // 0x6b\n \"Sayk \", // 0x6c\n \"Sayng \", // 0x6d\n \"Sep \", // 0x6e\n \"Sey \", // 0x6f\n \"Sway \", // 0x70\n \"Sin \", // 0x71\n \"Sim \", // 0x72\n \"Sip \", // 0x73\n \"Ya \", // 0x74\n \"Yak \", // 0x75\n \"Yak \", // 0x76\n \"Yang \", // 0x77\n \"Yang \", // 0x78\n \"Yang \", // 0x79\n \"Yang \", // 0x7a\n \"Yang \", // 0x7b\n \"Yang \", // 0x7c\n \"Yang \", // 0x7d\n \"Yang \", // 0x7e\n \"Ye \", // 0x7f\n \"Ye \", // 0x80\n \"Ye \", // 0x81\n \"Ye \", // 0x82\n \"Ye \", // 0x83\n \"Ye \", // 0x84\n \"Ye \", // 0x85\n \"Ye \", // 0x86\n \"Ye \", // 0x87\n \"Ye \", // 0x88\n \"Ye \", // 0x89\n \"Yek \", // 0x8a\n \"Yek \", // 0x8b\n \"Yek \", // 0x8c\n \"Yek \", // 0x8d\n \"Yen \", // 0x8e\n \"Yen \", // 0x8f\n \"Yen \", // 0x90\n \"Yen \", // 0x91\n \"Yen \", // 0x92\n \"Yen \", // 0x93\n \"Yen \", // 0x94\n \"Yen \", // 0x95\n \"Yen \", // 0x96\n \"Yen \", // 0x97\n \"Yen \", // 0x98\n \"Yen \", // 0x99\n \"Yen \", // 0x9a\n \"Yen \", // 0x9b\n \"Yel \", // 0x9c\n \"Yel \", // 0x9d\n \"Yel \", // 0x9e\n \"Yel \", // 0x9f\n \"Yel \", // 0xa0\n \"Yel \", // 0xa1\n \"Yem \", // 0xa2\n \"Yem \", // 0xa3\n \"Yem \", // 0xa4\n \"Yem \", // 0xa5\n \"Yem \", // 0xa6\n \"Yep \", // 0xa7\n \"Yeng \", // 0xa8\n \"Yeng \", // 0xa9\n \"Yeng \", // 0xaa\n \"Yeng \", // 0xab\n \"Yeng \", // 0xac\n \"Yeng \", // 0xad\n \"Yeng \", // 0xae\n \"Yeng \", // 0xaf\n \"Yeng \", // 0xb0\n \"Yeng \", // 0xb1\n \"Yeng \", // 0xb2\n \"Yeng \", // 0xb3\n \"Yeng \", // 0xb4\n \"Yey \", // 0xb5\n \"Yey \", // 0xb6\n \"Yey \", // 0xb7\n \"Yey \", // 0xb8\n \"O \", // 0xb9\n \"Yo \", // 0xba\n \"Yo \", // 0xbb\n \"Yo \", // 0xbc\n \"Yo \", // 0xbd\n \"Yo \", // 0xbe\n \"Yo \", // 0xbf\n \"Yo \", // 0xc0\n \"Yo \", // 0xc1\n \"Yo \", // 0xc2\n \"Yo \", // 0xc3\n \"Yong \", // 0xc4\n \"Wun \", // 0xc5\n \"Wen \", // 0xc6\n \"Yu \", // 0xc7\n \"Yu \", // 0xc8\n \"Yu \", // 0xc9\n \"Yu \", // 0xca\n \"Yu \", // 0xcb\n \"Yu \", // 0xcc\n \"Yu \", // 0xcd\n \"Yu \", // 0xce\n \"Yu \", // 0xcf\n \"Yu \", // 0xd0\n \"Yuk \", // 0xd1\n \"Yuk \", // 0xd2\n \"Yuk \", // 0xd3\n \"Yun \", // 0xd4\n \"Yun \", // 0xd5\n \"Yun \", // 0xd6\n \"Yun \", // 0xd7\n \"Yul \", // 0xd8\n \"Yul \", // 0xd9\n \"Yul \", // 0xda\n \"Yul \", // 0xdb\n \"Yung \", // 0xdc\n \"I \", // 0xdd\n \"I \", // 0xde\n \"I \", // 0xdf\n \"I \", // 0xe0\n \"I \", // 0xe1\n \"I \", // 0xe2\n \"I \", // 0xe3\n \"I \", // 0xe4\n \"I \", // 0xe5\n \"I \", // 0xe6\n \"I \", // 0xe7\n \"I \", // 0xe8\n \"I \", // 0xe9\n \"I \", // 0xea\n \"Ik \", // 0xeb\n \"Ik \", // 0xec\n \"In \", // 0xed\n \"In \", // 0xee\n \"In \", // 0xef\n \"In \", // 0xf0\n \"In \", // 0xf1\n \"In \", // 0xf2\n \"In \", // 0xf3\n \"Im \", // 0xf4\n \"Im \", // 0xf5\n \"Im \", // 0xf6\n \"Ip \", // 0xf7\n \"Ip \", // 0xf8\n \"Ip \", // 0xf9\n \"Cang \", // 0xfa\n \"Cek \", // 0xfb\n \"Ci \", // 0xfc\n \"Cip \", // 0xfd\n \"Cha \", // 0xfe\n \"Chek \" // 0xff\n };\n}\n", "jasm_code": ".version 52 0 \n.class super Xf9 \n.super java/lang/Object \n.field public static final map [Ljava/lang/String; \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 4 locals 0 \nL0: sipush 256 \nL3: anewarray java/lang/String \nL6: dup \nL7: iconst_0 \nL8: ldc 'Kay ' \nL10: aastore \nL11: dup \nL12: iconst_1 \nL13: ldc 'Kayng ' \nL15: aastore \nL16: dup \nL17: iconst_2 \nL18: ldc 'Ke ' \nL20: aastore \nL21: dup \nL22: iconst_3 \nL23: ldc 'Ko ' \nL25: aastore \nL26: dup \nL27: iconst_4 \nL28: ldc 'Kol ' \nL30: aastore \nL31: dup \nL32: iconst_5 \nL33: ldc 'Koc ' \nL35: aastore \nL36: dup \nL37: bipush 6 \nL39: ldc 'Kwi ' \nL41: aastore \nL42: dup \nL43: bipush 7 \nL45: ldc 'Kwi ' \nL47: aastore \nL48: dup \nL49: bipush 8 \nL51: ldc 'Kyun ' \nL53: aastore \nL54: dup \nL55: bipush 9 \nL57: ldc 'Kul ' \nL59: aastore \nL60: dup \nL61: bipush 10 \nL63: ldc 'Kum ' \nL65: aastore \nL66: dup \nL67: bipush 11 \nL69: ldc 'Na ' \nL71: aastore \nL72: dup \nL73: bipush 12 \nL75: ldc 'Na ' \nL77: aastore \nL78: dup \nL79: bipush 13 \nL81: ldc 'Na ' \nL83: aastore \nL84: dup \nL85: bipush 14 \nL87: ldc 'La ' \nL89: aastore \nL90: dup \nL91: bipush 15 \nL93: ldc 'Na ' \nL95: aastore \nL96: dup \nL97: bipush 16 \nL99: ldc 'Na ' \nL101: aastore \nL102: dup \nL103: bipush 17 \nL105: ldc 'Na ' \nL107: aastore \nL108: dup \nL109: bipush 18 \nL111: ldc 'Na ' \nL113: aastore \nL114: dup \nL115: bipush 19 \nL117: ldc 'Na ' \nL119: aastore \nL120: dup \nL121: bipush 20 \nL123: ldc 'Nak ' \nL125: aastore \nL126: dup \nL127: bipush 21 \nL129: ldc 'Nak ' \nL131: aastore \nL132: dup \nL133: bipush 22 \nL135: ldc 'Nak ' \nL137: aastore \nL138: dup \nL139: bipush 23 \nL141: ldc 'Nak ' \nL143: aastore \nL144: dup \nL145: bipush 24 \nL147: ldc 'Nak ' \nL149: aastore \nL150: dup \nL151: bipush 25 \nL153: ldc 'Nak ' \nL155: aastore \nL156: dup \nL157: bipush 26 \nL159: ldc 'Nak ' \nL161: aastore \nL162: dup \nL163: bipush 27 \nL165: ldc 'Nan ' \nL167: aastore \nL168: dup \nL169: bipush 28 \nL171: ldc 'Nan ' \nL173: aastore \nL174: dup \nL175: bipush 29 \nL177: ldc 'Nan ' \nL179: aastore \nL180: dup \nL181: bipush 30 \nL183: ldc 'Nan ' \nL185: aastore \nL186: dup \nL187: bipush 31 \nL189: ldc 'Nan ' \nL191: aastore \nL192: dup \nL193: bipush 32 \nL195: ldc 'Nan ' \nL197: aastore \nL198: dup \nL199: bipush 33 \nL201: ldc 'Nam ' \nL203: aastore \nL204: dup \nL205: bipush 34 \nL207: ldc 'Nam ' \nL209: aastore \nL210: dup \nL211: bipush 35 \nL213: ldc 'Nam ' \nL215: aastore \nL216: dup \nL217: bipush 36 \nL219: ldc 'Nam ' \nL221: aastore \nL222: dup \nL223: bipush 37 \nL225: ldc 'Nap ' \nL227: aastore \nL228: dup \nL229: bipush 38 \nL231: ldc 'Nap ' \nL233: aastore \nL234: dup \nL235: bipush 39 \nL237: ldc 'Nap ' \nL239: aastore \nL240: dup \nL241: bipush 40 \nL243: ldc 'Nang ' \nL245: aastore \nL246: dup \nL247: bipush 41 \nL249: ldc 'Nang ' \nL251: aastore \nL252: dup \nL253: bipush 42 \nL255: ldc 'Nang ' \nL257: aastore \nL258: dup \nL259: bipush 43 \nL261: ldc 'Nang ' \nL263: aastore \nL264: dup \nL265: bipush 44 \nL267: ldc 'Nang ' \nL269: aastore \nL270: dup \nL271: bipush 45 \nL273: ldc 'Nay ' \nL275: aastore \nL276: dup \nL277: bipush 46 \nL279: ldc 'Nayng ' \nL281: aastore \nL282: dup \nL283: bipush 47 \nL285: ldc 'No ' \nL287: aastore \nL288: dup \nL289: bipush 48 \nL291: ldc 'No ' \nL293: aastore \nL294: dup \nL295: bipush 49 \nL297: ldc 'No ' \nL299: aastore \nL300: dup \nL301: bipush 50 \nL303: ldc 'No ' \nL305: aastore \nL306: dup \nL307: bipush 51 \nL309: ldc 'No ' \nL311: aastore \nL312: dup \nL313: bipush 52 \nL315: ldc 'No ' \nL317: aastore \nL318: dup \nL319: bipush 53 \nL321: ldc 'No ' \nL323: aastore \nL324: dup \nL325: bipush 54 \nL327: ldc 'No ' \nL329: aastore \nL330: dup \nL331: bipush 55 \nL333: ldc 'No ' \nL335: aastore \nL336: dup \nL337: bipush 56 \nL339: ldc 'No ' \nL341: aastore \nL342: dup \nL343: bipush 57 \nL345: ldc 'No ' \nL347: aastore \nL348: dup \nL349: bipush 58 \nL351: ldc 'No ' \nL353: aastore \nL354: dup \nL355: bipush 59 \nL357: ldc 'Nok ' \nL359: aastore \nL360: dup \nL361: bipush 60 \nL363: ldc 'Nok ' \nL365: aastore \nL366: dup \nL367: bipush 61 \nL369: ldc 'Nok ' \nL371: aastore \nL372: dup \nL373: bipush 62 \nL375: ldc 'Nok ' \nL377: aastore \nL378: dup \nL379: bipush 63 \nL381: ldc 'Nok ' \nL383: aastore \nL384: dup \nL385: bipush 64 \nL387: ldc 'Nok ' \nL389: aastore \nL390: dup \nL391: bipush 65 \nL393: ldc 'Non ' \nL395: aastore \nL396: dup \nL397: bipush 66 \nL399: ldc 'Nong ' \nL401: aastore \nL402: dup \nL403: bipush 67 \nL405: ldc 'Nong ' \nL407: aastore \nL408: dup \nL409: bipush 68 \nL411: ldc 'Nong ' \nL413: aastore \nL414: dup \nL415: bipush 69 \nL417: ldc 'Nong ' \nL419: aastore \nL420: dup \nL421: bipush 70 \nL423: ldc 'Noy ' \nL425: aastore \nL426: dup \nL427: bipush 71 \nL429: ldc 'Noy ' \nL431: aastore \nL432: dup \nL433: bipush 72 \nL435: ldc 'Noy ' \nL437: aastore \nL438: dup \nL439: bipush 73 \nL441: ldc 'Noy ' \nL443: aastore \nL444: dup \nL445: bipush 74 \nL447: ldc 'Nwu ' \nL449: aastore \nL450: dup \nL451: bipush 75 \nL453: ldc 'Nwu ' \nL455: aastore \nL456: dup \nL457: bipush 76 \nL459: ldc 'Nwu ' \nL461: aastore \nL462: dup \nL463: bipush 77 \nL465: ldc 'Nwu ' \nL467: aastore \nL468: dup \nL469: bipush 78 \nL471: ldc 'Nwu ' \nL473: aastore \nL474: dup \nL475: bipush 79 \nL477: ldc 'Nwu ' \nL479: aastore \nL480: dup \nL481: bipush 80 \nL483: ldc 'Nwu ' \nL485: aastore \nL486: dup \nL487: bipush 81 \nL489: ldc 'Nwu ' \nL491: aastore \nL492: dup \nL493: bipush 82 \nL495: ldc 'Nuk ' \nL497: aastore \nL498: dup \nL499: bipush 83 \nL501: ldc 'Nuk ' \nL503: aastore \nL504: dup \nL505: bipush 84 \nL507: ldc 'Num ' \nL509: aastore \nL510: dup \nL511: bipush 85 \nL513: ldc 'Nung ' \nL515: aastore \nL516: dup \nL517: bipush 86 \nL519: ldc 'Nung ' \nL521: aastore \nL522: dup \nL523: bipush 87 \nL525: ldc 'Nung ' \nL527: aastore \nL528: dup \nL529: bipush 88 \nL531: ldc 'Nung ' \nL533: aastore \nL534: dup \nL535: bipush 89 \nL537: ldc 'Nung ' \nL539: aastore \nL540: dup \nL541: bipush 90 \nL543: ldc 'Twu ' \nL545: aastore \nL546: dup \nL547: bipush 91 \nL549: ldc 'La ' \nL551: aastore \nL552: dup \nL553: bipush 92 \nL555: ldc 'Lak ' \nL557: aastore \nL558: dup \nL559: bipush 93 \nL561: ldc 'Lak ' \nL563: aastore \nL564: dup \nL565: bipush 94 \nL567: ldc 'Lan ' \nL569: aastore \nL570: dup \nL571: bipush 95 \nL573: ldc 'Lyeng ' \nL575: aastore \nL576: dup \nL577: bipush 96 \nL579: ldc 'Lo ' \nL581: aastore \nL582: dup \nL583: bipush 97 \nL585: ldc 'Lyul ' \nL587: aastore \nL588: dup \nL589: bipush 98 \nL591: ldc 'Li ' \nL593: aastore \nL594: dup \nL595: bipush 99 \nL597: ldc 'Pey ' \nL599: aastore \nL600: dup \nL601: bipush 100 \nL603: ldc 'Pen ' \nL605: aastore \nL606: dup \nL607: bipush 101 \nL609: ldc 'Pyen ' \nL611: aastore \nL612: dup \nL613: bipush 102 \nL615: ldc 'Pwu ' \nL617: aastore \nL618: dup \nL619: bipush 103 \nL621: ldc 'Pwul ' \nL623: aastore \nL624: dup \nL625: bipush 104 \nL627: ldc 'Pi ' \nL629: aastore \nL630: dup \nL631: bipush 105 \nL633: ldc 'Sak ' \nL635: aastore \nL636: dup \nL637: bipush 106 \nL639: ldc 'Sak ' \nL641: aastore \nL642: dup \nL643: bipush 107 \nL645: ldc 'Sam ' \nL647: aastore \nL648: dup \nL649: bipush 108 \nL651: ldc 'Sayk ' \nL653: aastore \nL654: dup \nL655: bipush 109 \nL657: ldc 'Sayng ' \nL659: aastore \nL660: dup \nL661: bipush 110 \nL663: ldc 'Sep ' \nL665: aastore \nL666: dup \nL667: bipush 111 \nL669: ldc 'Sey ' \nL671: aastore \nL672: dup \nL673: bipush 112 \nL675: ldc 'Sway ' \nL677: aastore \nL678: dup \nL679: bipush 113 \nL681: ldc 'Sin ' \nL683: aastore \nL684: dup \nL685: bipush 114 \nL687: ldc 'Sim ' \nL689: aastore \nL690: dup \nL691: bipush 115 \nL693: ldc 'Sip ' \nL695: aastore \nL696: dup \nL697: bipush 116 \nL699: ldc 'Ya ' \nL701: aastore \nL702: dup \nL703: bipush 117 \nL705: ldc 'Yak ' \nL707: aastore \nL708: dup \nL709: bipush 118 \nL711: ldc 'Yak ' \nL713: aastore \nL714: dup \nL715: bipush 119 \nL717: ldc 'Yang ' \nL719: aastore \nL720: dup \nL721: bipush 120 \nL723: ldc 'Yang ' \nL725: aastore \nL726: dup \nL727: bipush 121 \nL729: ldc 'Yang ' \nL731: aastore \nL732: dup \nL733: bipush 122 \nL735: ldc 'Yang ' \nL737: aastore \nL738: dup \nL739: bipush 123 \nL741: ldc 'Yang ' \nL743: aastore \nL744: dup \nL745: bipush 124 \nL747: ldc 'Yang ' \nL749: aastore \nL750: dup \nL751: bipush 125 \nL753: ldc 'Yang ' \nL755: aastore \nL756: dup \nL757: bipush 126 \nL759: ldc 'Yang ' \nL761: aastore \nL762: dup \nL763: bipush 127 \nL765: ldc 'Ye ' \nL767: aastore \nL768: dup \nL769: sipush 128 \nL772: ldc 'Ye ' \nL774: aastore \nL775: dup \nL776: sipush 129 \nL779: ldc 'Ye ' \nL781: aastore \nL782: dup \nL783: sipush 130 \nL786: ldc 'Ye ' \nL788: aastore \nL789: dup \nL790: sipush 131 \nL793: ldc 'Ye ' \nL795: aastore \nL796: dup \nL797: sipush 132 \nL800: ldc 'Ye ' \nL802: aastore \nL803: dup \nL804: sipush 133 \nL807: ldc 'Ye ' \nL809: aastore \nL810: dup \nL811: sipush 134 \nL814: ldc 'Ye ' \nL816: aastore \nL817: dup \nL818: sipush 135 \nL821: ldc 'Ye ' \nL823: aastore \nL824: dup \nL825: sipush 136 \nL828: ldc 'Ye ' \nL830: aastore \nL831: dup \nL832: sipush 137 \nL835: ldc 'Ye ' \nL837: aastore \nL838: dup \nL839: sipush 138 \nL842: ldc 'Yek ' \nL844: aastore \nL845: dup \nL846: sipush 139 \nL849: ldc 'Yek ' \nL851: aastore \nL852: dup \nL853: sipush 140 \nL856: ldc 'Yek ' \nL858: aastore \nL859: dup \nL860: sipush 141 \nL863: ldc 'Yek ' \nL865: aastore \nL866: dup \nL867: sipush 142 \nL870: ldc 'Yen ' \nL872: aastore \nL873: dup \nL874: sipush 143 \nL877: ldc 'Yen ' \nL879: aastore \nL880: dup \nL881: sipush 144 \nL884: ldc 'Yen ' \nL886: aastore \nL887: dup \nL888: sipush 145 \nL891: ldc 'Yen ' \nL893: aastore \nL894: dup \nL895: sipush 146 \nL898: ldc 'Yen ' \nL900: aastore \nL901: dup \nL902: sipush 147 \nL905: ldc 'Yen ' \nL907: aastore \nL908: dup \nL909: sipush 148 \nL912: ldc 'Yen ' \nL914: aastore \nL915: dup \nL916: sipush 149 \nL919: ldc 'Yen ' \nL921: aastore \nL922: dup \nL923: sipush 150 \nL926: ldc 'Yen ' \nL928: aastore \nL929: dup \nL930: sipush 151 \nL933: ldc 'Yen ' \nL935: aastore \nL936: dup \nL937: sipush 152 \nL940: ldc 'Yen ' \nL942: aastore \nL943: dup \nL944: sipush 153 \nL947: ldc 'Yen ' \nL949: aastore \nL950: dup \nL951: sipush 154 \nL954: ldc 'Yen ' \nL956: aastore \nL957: dup \nL958: sipush 155 \nL961: ldc 'Yen ' \nL963: aastore \nL964: dup \nL965: sipush 156 \nL968: ldc 'Yel ' \nL970: aastore \nL971: dup \nL972: sipush 157 \nL975: ldc 'Yel ' \nL977: aastore \nL978: dup \nL979: sipush 158 \nL982: ldc 'Yel ' \nL984: aastore \nL985: dup \nL986: sipush 159 \nL989: ldc 'Yel ' \nL991: aastore \nL992: dup \nL993: sipush 160 \nL996: ldc 'Yel ' \nL998: aastore \nL999: dup \nL1000: sipush 161 \nL1003: ldc 'Yel ' \nL1005: aastore \nL1006: dup \nL1007: sipush 162 \nL1010: ldc 'Yem ' \nL1012: aastore \nL1013: dup \nL1014: sipush 163 \nL1017: ldc 'Yem ' \nL1019: aastore \nL1020: dup \nL1021: sipush 164 \nL1024: ldc 'Yem ' \nL1026: aastore \nL1027: dup \nL1028: sipush 165 \nL1031: ldc 'Yem ' \nL1033: aastore \nL1034: dup \nL1035: sipush 166 \nL1038: ldc 'Yem ' \nL1040: aastore \nL1041: dup \nL1042: sipush 167 \nL1045: ldc 'Yep ' \nL1047: aastore \nL1048: dup \nL1049: sipush 168 \nL1052: ldc 'Yeng ' \nL1054: aastore \nL1055: dup \nL1056: sipush 169 \nL1059: ldc 'Yeng ' \nL1061: aastore \nL1062: dup \nL1063: sipush 170 \nL1066: ldc 'Yeng ' \nL1068: aastore \nL1069: dup \nL1070: sipush 171 \nL1073: ldc 'Yeng ' \nL1075: aastore \nL1076: dup \nL1077: sipush 172 \nL1080: ldc 'Yeng ' \nL1082: aastore \nL1083: dup \nL1084: sipush 173 \nL1087: ldc 'Yeng ' \nL1089: aastore \nL1090: dup \nL1091: sipush 174 \nL1094: ldc 'Yeng ' \nL1096: aastore \nL1097: dup \nL1098: sipush 175 \nL1101: ldc 'Yeng ' \nL1103: aastore \nL1104: dup \nL1105: sipush 176 \nL1108: ldc 'Yeng ' \nL1110: aastore \nL1111: dup \nL1112: sipush 177 \nL1115: ldc 'Yeng ' \nL1117: aastore \nL1118: dup \nL1119: sipush 178 \nL1122: ldc 'Yeng ' \nL1124: aastore \nL1125: dup \nL1126: sipush 179 \nL1129: ldc 'Yeng ' \nL1131: aastore \nL1132: dup \nL1133: sipush 180 \nL1136: ldc 'Yeng ' \nL1138: aastore \nL1139: dup \nL1140: sipush 181 \nL1143: ldc 'Yey ' \nL1145: aastore \nL1146: dup \nL1147: sipush 182 \nL1150: ldc 'Yey ' \nL1152: aastore \nL1153: dup \nL1154: sipush 183 \nL1157: ldc 'Yey ' \nL1159: aastore \nL1160: dup \nL1161: sipush 184 \nL1164: ldc 'Yey ' \nL1166: aastore \nL1167: dup \nL1168: sipush 185 \nL1171: ldc 'O ' \nL1173: aastore \nL1174: dup \nL1175: sipush 186 \nL1178: ldc 'Yo ' \nL1180: aastore \nL1181: dup \nL1182: sipush 187 \nL1185: ldc 'Yo ' \nL1187: aastore \nL1188: dup \nL1189: sipush 188 \nL1192: ldc 'Yo ' \nL1194: aastore \nL1195: dup \nL1196: sipush 189 \nL1199: ldc 'Yo ' \nL1201: aastore \nL1202: dup \nL1203: sipush 190 \nL1206: ldc 'Yo ' \nL1208: aastore \nL1209: dup \nL1210: sipush 191 \nL1213: ldc 'Yo ' \nL1215: aastore \nL1216: dup \nL1217: sipush 192 \nL1220: ldc 'Yo ' \nL1222: aastore \nL1223: dup \nL1224: sipush 193 \nL1227: ldc 'Yo ' \nL1229: aastore \nL1230: dup \nL1231: sipush 194 \nL1234: ldc 'Yo ' \nL1236: aastore \nL1237: dup \nL1238: sipush 195 \nL1241: ldc 'Yo ' \nL1243: aastore \nL1244: dup \nL1245: sipush 196 \nL1248: ldc 'Yong ' \nL1250: aastore \nL1251: dup \nL1252: sipush 197 \nL1255: ldc 'Wun ' \nL1257: aastore \nL1258: dup \nL1259: sipush 198 \nL1262: ldc 'Wen ' \nL1264: aastore \nL1265: dup \nL1266: sipush 199 \nL1269: ldc 'Yu ' \nL1271: aastore \nL1272: dup \nL1273: sipush 200 \nL1276: ldc 'Yu ' \nL1278: aastore \nL1279: dup \nL1280: sipush 201 \nL1283: ldc 'Yu ' \nL1285: aastore \nL1286: dup \nL1287: sipush 202 \nL1290: ldc 'Yu ' \nL1292: aastore \nL1293: dup \nL1294: sipush 203 \nL1297: ldc 'Yu ' \nL1299: aastore \nL1300: dup \nL1301: sipush 204 \nL1304: ldc 'Yu ' \nL1306: aastore \nL1307: dup \nL1308: sipush 205 \nL1311: ldc 'Yu ' \nL1313: aastore \nL1314: dup \nL1315: sipush 206 \nL1318: ldc 'Yu ' \nL1320: aastore \nL1321: dup \nL1322: sipush 207 \nL1325: ldc 'Yu ' \nL1327: aastore \nL1328: dup \nL1329: sipush 208 \nL1332: ldc 'Yu ' \nL1334: aastore \nL1335: dup \nL1336: sipush 209 \nL1339: ldc 'Yuk ' \nL1341: aastore \nL1342: dup \nL1343: sipush 210 \nL1346: ldc 'Yuk ' \nL1348: aastore \nL1349: dup \nL1350: sipush 211 \nL1353: ldc 'Yuk ' \nL1355: aastore \nL1356: dup \nL1357: sipush 212 \nL1360: ldc 'Yun ' \nL1362: aastore \nL1363: dup \nL1364: sipush 213 \nL1367: ldc 'Yun ' \nL1369: aastore \nL1370: dup \nL1371: sipush 214 \nL1374: ldc 'Yun ' \nL1376: aastore \nL1377: dup \nL1378: sipush 215 \nL1381: ldc 'Yun ' \nL1383: aastore \nL1384: dup \nL1385: sipush 216 \nL1388: ldc 'Yul ' \nL1390: aastore \nL1391: dup \nL1392: sipush 217 \nL1395: ldc 'Yul ' \nL1397: aastore \nL1398: dup \nL1399: sipush 218 \nL1402: ldc 'Yul ' \nL1404: aastore \nL1405: dup \nL1406: sipush 219 \nL1409: ldc 'Yul ' \nL1411: aastore \nL1412: dup \nL1413: sipush 220 \nL1416: ldc 'Yung ' \nL1418: aastore \nL1419: dup \nL1420: sipush 221 \nL1423: ldc 'I ' \nL1425: aastore \nL1426: dup \nL1427: sipush 222 \nL1430: ldc 'I ' \nL1432: aastore \nL1433: dup \nL1434: sipush 223 \nL1437: ldc 'I ' \nL1439: aastore \nL1440: dup \nL1441: sipush 224 \nL1444: ldc 'I ' \nL1446: aastore \nL1447: dup \nL1448: sipush 225 \nL1451: ldc 'I ' \nL1453: aastore \nL1454: dup \nL1455: sipush 226 \nL1458: ldc 'I ' \nL1460: aastore \nL1461: dup \nL1462: sipush 227 \nL1465: ldc 'I ' \nL1467: aastore \nL1468: dup \nL1469: sipush 228 \nL1472: ldc 'I ' \nL1474: aastore \nL1475: dup \nL1476: sipush 229 \nL1479: ldc 'I ' \nL1481: aastore \nL1482: dup \nL1483: sipush 230 \nL1486: ldc 'I ' \nL1488: aastore \nL1489: dup \nL1490: sipush 231 \nL1493: ldc 'I ' \nL1495: aastore \nL1496: dup \nL1497: sipush 232 \nL1500: ldc 'I ' \nL1502: aastore \nL1503: dup \nL1504: sipush 233 \nL1507: ldc 'I ' \nL1509: aastore \nL1510: dup \nL1511: sipush 234 \nL1514: ldc 'I ' \nL1516: aastore \nL1517: dup \nL1518: sipush 235 \nL1521: ldc 'Ik ' \nL1523: aastore \nL1524: dup \nL1525: sipush 236 \nL1528: ldc 'Ik ' \nL1530: aastore \nL1531: dup \nL1532: sipush 237 \nL1535: ldc 'In ' \nL1537: aastore \nL1538: dup \nL1539: sipush 238 \nL1542: ldc 'In ' \nL1544: aastore \nL1545: dup \nL1546: sipush 239 \nL1549: ldc 'In ' \nL1551: aastore \nL1552: dup \nL1553: sipush 240 \nL1556: ldc 'In ' \nL1558: aastore \nL1559: dup \nL1560: sipush 241 \nL1563: ldc 'In ' \nL1565: aastore \nL1566: dup \nL1567: sipush 242 \nL1570: ldc 'In ' \nL1572: aastore \nL1573: dup \nL1574: sipush 243 \nL1577: ldc 'In ' \nL1579: aastore \nL1580: dup \nL1581: sipush 244 \nL1584: ldc 'Im ' \nL1586: aastore \nL1587: dup \nL1588: sipush 245 \nL1591: ldc 'Im ' \nL1593: aastore \nL1594: dup \nL1595: sipush 246 \nL1598: ldc 'Im ' \nL1600: aastore \nL1601: dup \nL1602: sipush 247 \nL1605: ldc 'Ip ' \nL1607: aastore \nL1608: dup \nL1609: sipush 248 \nL1612: ldc 'Ip ' \nL1614: aastore \nL1615: dup \nL1616: sipush 249 \nL1619: ldc 'Ip ' \nL1621: aastore \nL1622: dup \nL1623: sipush 250 \nL1626: ldc 'Cang ' \nL1628: aastore \nL1629: dup \nL1630: sipush 251 \nL1633: ldc 'Cek ' \nL1635: aastore \nL1636: dup \nL1637: sipush 252 \nL1640: ldc 'Ci ' \nL1642: aastore \nL1643: dup \nL1644: sipush 253 \nL1647: ldc 'Cip ' \nL1649: aastore \nL1650: dup \nL1651: sipush 254 \nL1654: ldc 'Cha ' \nL1656: aastore \nL1657: dup \nL1658: sipush 255 \nL1661: ldc 'Chek ' \nL1663: aastore \nL1664: putstatic Field Xf9 map [Ljava/lang/String; \nL1667: return \nL1668: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Xf9.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 10:11:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Xf9_ESTest extends Xf9_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Xf9 xf9_0 = new Xf9();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 10:11:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Xf9_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Xf9\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmph_5qr7t8\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Xf9_ESTest_scaffolding.class.getClassLoader() ,\n \"Xf9\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Xf9_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Xf9\"\n );\n }\n}\n", "class_idx": 129} {"class_name": "StringEscapeUtils", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one\n * or more contributor license agreements. See the NOTICE file\n * distributed with this work for additional information\n * regarding copyright ownership. The ASF licenses this file\n * to you under the Apache License, Version 2.0 (the\n * \"License\"); you may not use this file except in compliance\n * with the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing,\n * software distributed under the License is distributed on an\n * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n * KIND, either express or implied. See the License for the\n * specific language governing permissions and limitations\n * under the License.\n */\n\nimport java.io.IOException;\nimport java.io.StringWriter;\nimport java.io.Writer;\nimport java.util.Locale;\n\n/**\n * Escapes and unescapes Strings for Java, Java Script, HTML, XML, and SQL.\n *\n *

#ThreadSafe#\n *\n *

Note that this version is a stripped down version from Commons Lang 2.6 with only necessary\n * methods for JSON builder\n *\n * @author Apache Software Foundation\n * @author Apache Jakarta Turbine\n * @author Purple Technology\n * @author Alexander Day Chaffee\n * @author Antony Riley\n * @author Helge Tesgaard\n * @author Sean Brown\n * @author Gary Gregory\n * @author Phil Steitz\n * @author Pete Gieser\n * @since 2.0\n */\npublic class StringEscapeUtils {\n\n /**\n * StringEscapeUtils instances should NOT be constructed in standard programming.\n *\n *

Instead, the class should be used as:\n *\n *

StringEscapeUtils.escapeJava(\"foo\");
\n *\n *

This constructor is public to permit tools that require a JavaBean instance to operate.\n */\n public StringEscapeUtils() {\n super();\n }\n\n // Java and JavaScript\n // --------------------------------------------------------------------------\n /**\n * Escapes the characters in a String using Java String rules.\n *\n *

Deals correctly with quotes and control-chars (tab, backslash, cr, ff, etc.)\n *\n *

So a tab becomes the characters '\\\\' and 't'.\n *\n *

The only difference between Java strings and JavaScript strings is that in JavaScript, a\n * single quote must be escaped.\n *\n *

Example:\n *\n *

\n   * input string: He didn't say, \"Stop!\"\n   * output string: He didn't say, \\\"Stop!\\\"\n   * 
\n *\n * @param str String to escape values in, may be null\n * @return String with escaped values, null if null string input\n */\n public static String escapeJava(String str) {\n return escapeJavaStyleString(str, false, false);\n }\n\n /**\n * Escapes the characters in a String using Java String rules to a Writer\n * .\n *\n *

A null string input has no effect.\n *\n * @see #escapeJava(java.lang.String)\n * @param out Writer to write escaped string into\n * @param str String to escape values in, may be null\n * @throws IllegalArgumentException if the Writer is null\n * @throws IOException if error occurs on underlying Writer\n */\n public static void escapeJava(Writer out, String str) throws IOException {\n escapeJavaStyleString(out, str, false, false);\n }\n\n /**\n * Escapes the characters in a String using JavaScript String rules.\n *\n *

Escapes any values it finds into their JavaScript String form. Deals correctly with quotes\n * and control-chars (tab, backslash, cr, ff, etc.)\n *\n *

So a tab becomes the characters '\\\\' and 't'.\n *\n *

The only difference between Java strings and JavaScript strings is that in JavaScript, a\n * single quote must be escaped.\n *\n *

Example:\n *\n *

\n   * input string: He didn't say, \"Stop!\"\n   * output string: He didn\\'t say, \\\"Stop!\\\"\n   * 
\n *\n * @param str String to escape values in, may be null\n * @return String with escaped values, null if null string input\n */\n public static String escapeJavaScript(String str) {\n return escapeJavaStyleString(str, true, true);\n }\n\n /**\n * Escapes the characters in a String using JavaScript String rules to a Writer\n * .\n *\n *

A null string input has no effect.\n *\n * @see #escapeJavaScript(java.lang.String)\n * @param out Writer to write escaped string into\n * @param str String to escape values in, may be null\n * @throws IllegalArgumentException if the Writer is null\n * @throws IOException if error occurs on underlying Writer\n */\n public static void escapeJavaScript(Writer out, String str) throws IOException {\n escapeJavaStyleString(out, str, true, true);\n }\n\n /**\n * Worker method for the {@link #escapeJavaScript(String)} method.\n *\n * @param str String to escape values in, may be null\n * @param escapeSingleQuotes escapes single quotes if true\n * @param escapeForwardSlash TODO\n * @return the escaped string\n */\n private static String escapeJavaStyleString(\n String str, boolean escapeSingleQuotes, boolean escapeForwardSlash) {\n if (str == null) {\n return null;\n }\n try {\n StringWriter writer = new StringWriter(str.length() * 2);\n escapeJavaStyleString(writer, str, escapeSingleQuotes, escapeForwardSlash);\n return writer.toString();\n } catch (IOException ioe) {\n // this should never ever happen while writing to a StringWriter\n throw new RuntimeException(ioe);\n }\n }\n\n /**\n * Worker method for the {@link #escapeJavaScript(String)} method.\n *\n * @param out writer to receive the escaped string\n * @param str String to escape values in, may be null\n * @param escapeSingleQuote escapes single quotes if true\n * @param escapeForwardSlash TODO\n * @throws IOException if an IOException occurs\n */\n private static void escapeJavaStyleString(\n Writer out, String str, boolean escapeSingleQuote, boolean escapeForwardSlash)\n throws IOException {\n if (out == null) {\n throw new IllegalArgumentException(\"The Writer must not be null\");\n }\n if (str == null) {\n return;\n }\n int sz;\n sz = str.length();\n for (int i = 0; i < sz; i++) {\n char ch = str.charAt(i);\n\n // handle unicode\n if (ch > 0xfff) {\n out.write(\"\\\\u\" + hex(ch));\n } else if (ch > 0xff) {\n out.write(\"\\\\u0\" + hex(ch));\n } else if (ch > 0x7f) {\n out.write(\"\\\\u00\" + hex(ch));\n } else if (ch < 32) {\n switch (ch) {\n case '\\b':\n out.write('\\\\');\n out.write('b');\n break;\n case '\\n':\n out.write('\\\\');\n out.write('n');\n break;\n case '\\t':\n out.write('\\\\');\n out.write('t');\n break;\n case '\\f':\n out.write('\\\\');\n out.write('f');\n break;\n case '\\r':\n out.write('\\\\');\n out.write('r');\n break;\n default:\n if (ch > 0xf) {\n out.write(\"\\\\u00\" + hex(ch));\n } else {\n out.write(\"\\\\u000\" + hex(ch));\n }\n break;\n }\n } else {\n switch (ch) {\n case '\\'':\n if (escapeSingleQuote) {\n out.write('\\\\');\n }\n out.write('\\'');\n break;\n case '\"':\n out.write('\\\\');\n out.write('\"');\n break;\n case '\\\\':\n out.write('\\\\');\n out.write('\\\\');\n break;\n case '/':\n if (escapeForwardSlash) {\n out.write('\\\\');\n }\n out.write('/');\n break;\n default:\n out.write(ch);\n break;\n }\n }\n }\n }\n\n /**\n * Returns an upper case hexadecimal String for the given character.\n *\n * @param ch The character to convert.\n * @return An upper case hexadecimal String\n */\n private static String hex(char ch) {\n return Integer.toHexString(ch).toUpperCase(Locale.ENGLISH);\n }\n\n /**\n * Unescapes any Java literals found in the String. For example, it will turn a\n * sequence of '\\' and 'n' into a newline character, unless the \n * '\\' is preceded by another '\\'.\n *\n * @param str the String to unescape, may be null\n * @return a new unescaped String, null if null string input\n */\n public static String unescapeJava(String str) {\n if (str == null) {\n return null;\n }\n try {\n StringWriter writer = new StringWriter(str.length());\n unescapeJava(writer, str);\n return writer.toString();\n } catch (IOException ioe) {\n // this should never ever happen while writing to a StringWriter\n throw new RuntimeException(ioe);\n }\n }\n\n /**\n * Unescapes any Java literals found in the String to a Writer.\n *\n *

For example, it will turn a sequence of '\\' and 'n' into a newline\n * character, unless the '\\' is preceded by another '\\'.\n *\n *

A null string input has no effect.\n *\n * @param out the Writer used to output unescaped characters\n * @param str the String to unescape, may be null\n * @throws IllegalArgumentException if the Writer is null\n * @throws IOException if error occurs on underlying Writer\n */\n public static void unescapeJava(Writer out, String str) throws IOException {\n if (out == null) {\n throw new IllegalArgumentException(\"The Writer must not be null\");\n }\n if (str == null) {\n return;\n }\n int sz = str.length();\n StringBuilder unicode = new StringBuilder(4);\n boolean hadSlash = false;\n boolean inUnicode = false;\n for (int i = 0; i < sz; i++) {\n char ch = str.charAt(i);\n if (inUnicode) {\n // if in unicode, then we're reading unicode\n // values in somehow\n unicode.append(ch);\n if (unicode.length() == 4) {\n // unicode now contains the four hex digits\n // which represents our unicode character\n try {\n int value = Integer.parseInt(unicode.toString(), 16);\n out.write((char) value);\n unicode.setLength(0);\n inUnicode = false;\n hadSlash = false;\n } catch (NumberFormatException nfe) {\n throw new RuntimeException(\"Unable to parse unicode value: \" + unicode, nfe);\n }\n }\n continue;\n }\n if (hadSlash) {\n // handle an escaped value\n hadSlash = false;\n switch (ch) {\n case '\\\\':\n out.write('\\\\');\n break;\n case '\\'':\n out.write('\\'');\n break;\n case '\\\"':\n out.write('\"');\n break;\n case 'r':\n out.write('\\r');\n break;\n case 'f':\n out.write('\\f');\n break;\n case 't':\n out.write('\\t');\n break;\n case 'n':\n out.write('\\n');\n break;\n case 'b':\n out.write('\\b');\n break;\n case 'u':\n {\n // uh-oh, we're in unicode country....\n inUnicode = true;\n break;\n }\n default:\n out.write(ch);\n break;\n }\n continue;\n } else if (ch == '\\\\') {\n hadSlash = true;\n continue;\n }\n out.write(ch);\n }\n if (hadSlash) {\n // then we're in the weird case of a \\ at the end of the\n // string, let's output it anyway.\n out.write('\\\\');\n }\n }\n\n /**\n * Unescapes any JavaScript literals found in the String.\n *\n *

For example, it will turn a sequence of '\\' and 'n' into a newline\n * character, unless the '\\' is preceded by another '\\'.\n *\n * @see #unescapeJava(String)\n * @param str the String to unescape, may be null\n * @return A new unescaped String, null if null string input\n */\n public static String unescapeJavaScript(String str) {\n return unescapeJava(str);\n }\n\n /**\n * Unescapes any JavaScript literals found in the String to a Writer.\n *\n *

For example, it will turn a sequence of '\\' and 'n' into a newline\n * character, unless the '\\' is preceded by another '\\'.\n *\n *

A null string input has no effect.\n *\n * @see #unescapeJava(Writer,String)\n * @param out the Writer used to output unescaped characters\n * @param str the String to unescape, may be null\n * @throws IllegalArgumentException if the Writer is null\n * @throws IOException if error occurs on underlying Writer\n */\n public static void unescapeJavaScript(Writer out, String str) throws IOException {\n unescapeJava(out, str);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super StringEscapeUtils \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 59 \n L4 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public static escapeJava : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: iconst_0 \nL3: invokestatic Method StringEscapeUtils escapeJavaStyleString (Ljava/lang/String;ZZ)Ljava/lang/String; \nL6: areturn \nL7: \n .linenumbertable \n L0 84 \n .end linenumbertable \n .end code \n.end method \n\n.method public static escapeJava : (Ljava/io/Writer;Ljava/lang/String;)V \n .code stack 4 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: iconst_0 \nL3: iconst_0 \nL4: invokestatic Method StringEscapeUtils escapeJavaStyleString (Ljava/io/Writer;Ljava/lang/String;ZZ)V \nL7: return \nL8: \n .linenumbertable \n L0 100 \n L7 101 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public static escapeJavaScript : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 1 \nL0: aload_0 \nL1: iconst_1 \nL2: iconst_1 \nL3: invokestatic Method StringEscapeUtils escapeJavaStyleString (Ljava/lang/String;ZZ)Ljava/lang/String; \nL6: areturn \nL7: \n .linenumbertable \n L0 124 \n .end linenumbertable \n .end code \n.end method \n\n.method public static escapeJavaScript : (Ljava/io/Writer;Ljava/lang/String;)V \n .code stack 4 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: iconst_1 \nL3: iconst_1 \nL4: invokestatic Method StringEscapeUtils escapeJavaStyleString (Ljava/io/Writer;Ljava/lang/String;ZZ)V \nL7: return \nL8: \n .linenumbertable \n L0 140 \n L7 141 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method private static escapeJavaStyleString : (Ljava/lang/String;ZZ)Ljava/lang/String; \n .code stack 4 locals 4 \nL0: aload_0 \nL1: ifnonnull L6 \nL4: aconst_null \nL5: areturn \n .catch java/io/IOException from L6 to L31 using L32 \n\n .stack same \nL6: new java/io/StringWriter \nL9: dup \nL10: aload_0 \nL11: invokevirtual Method java/lang/String length ()I \nL14: iconst_2 \nL15: imul \nL16: invokespecial Method java/io/StringWriter (I)V \nL19: astore_3 \nL20: aload_3 \nL21: aload_0 \nL22: iload_1 \nL23: iload_2 \nL24: invokestatic Method StringEscapeUtils escapeJavaStyleString (Ljava/io/Writer;Ljava/lang/String;ZZ)V \nL27: aload_3 \nL28: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String; \nL31: areturn \n\n .stack stack_1 Object java/io/IOException \nL32: astore_3 \nL33: new java/lang/RuntimeException \nL36: dup \nL37: aload_3 \nL38: invokespecial Method java/lang/RuntimeException (Ljava/lang/Throwable;)V \nL41: athrow \nL42: \n .linenumbertable \n L0 152 \n L4 153 \n L6 156 \n L20 157 \n L27 158 \n L32 159 \n L33 161 \n .end linenumbertable \n .end code \n.end method \n\n.method private static escapeJavaStyleString : (Ljava/io/Writer;Ljava/lang/String;ZZ)V \n .code stack 3 locals 7 \nL0: aload_0 \nL1: ifnonnull L14 \nL4: new java/lang/IllegalArgumentException \nL7: dup \nL8: ldc 'The Writer must not be null' \nL10: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: aload_1 \nL15: ifnonnull L19 \nL18: return \n\n .stack same \nL19: aload_1 \nL20: invokevirtual Method java/lang/String length ()I \nL23: istore 4 \nL25: iconst_0 \nL26: istore 5 \n\n .stack append Integer Integer \nL28: iload 5 \nL30: iload 4 \nL32: if_icmpge L472 \nL35: aload_1 \nL36: iload 5 \nL38: invokevirtual Method java/lang/String charAt (I)C \nL41: istore 6 \nL43: iload 6 \nL45: sipush 4095 \nL48: if_icmple L81 \nL51: aload_0 \nL52: new java/lang/StringBuilder \nL55: dup \nL56: invokespecial Method java/lang/StringBuilder ()V \nL59: ldc '\\\\u' \nL61: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL64: iload 6 \nL66: invokestatic Method StringEscapeUtils hex (C)Ljava/lang/String; \nL69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL75: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V \nL78: goto L466 \n\n .stack append Integer \nL81: iload 6 \nL83: sipush 255 \nL86: if_icmple L119 \nL89: aload_0 \nL90: new java/lang/StringBuilder \nL93: dup \nL94: invokespecial Method java/lang/StringBuilder ()V \nL97: ldc '\\\\u0' \nL99: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL102: iload 6 \nL104: invokestatic Method StringEscapeUtils hex (C)Ljava/lang/String; \nL107: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL110: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL113: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V \nL116: goto L466 \n\n .stack same \nL119: iload 6 \nL121: bipush 127 \nL123: if_icmple L156 \nL126: aload_0 \nL127: new java/lang/StringBuilder \nL130: dup \nL131: invokespecial Method java/lang/StringBuilder ()V \nL134: ldc '\\\\u00' \nL136: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL139: iload 6 \nL141: invokestatic Method StringEscapeUtils hex (C)Ljava/lang/String; \nL144: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL147: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL150: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V \nL153: goto L466 \n\n .stack same \nL156: iload 6 \nL158: bipush 32 \nL160: if_icmpge L346 \nL163: iload 6 \nL165: tableswitch 8 \n L204 \n L234 \n L219 \n L279 \n L249 \n L264 \n default : L279 \n\n\n .stack same \nL204: aload_0 \nL205: bipush 92 \nL207: invokevirtual Method java/io/Writer write (I)V \nL210: aload_0 \nL211: bipush 98 \nL213: invokevirtual Method java/io/Writer write (I)V \nL216: goto L466 \n\n .stack same \nL219: aload_0 \nL220: bipush 92 \nL222: invokevirtual Method java/io/Writer write (I)V \nL225: aload_0 \nL226: bipush 110 \nL228: invokevirtual Method java/io/Writer write (I)V \nL231: goto L466 \n\n .stack same \nL234: aload_0 \nL235: bipush 92 \nL237: invokevirtual Method java/io/Writer write (I)V \nL240: aload_0 \nL241: bipush 116 \nL243: invokevirtual Method java/io/Writer write (I)V \nL246: goto L466 \n\n .stack same \nL249: aload_0 \nL250: bipush 92 \nL252: invokevirtual Method java/io/Writer write (I)V \nL255: aload_0 \nL256: bipush 102 \nL258: invokevirtual Method java/io/Writer write (I)V \nL261: goto L466 \n\n .stack same \nL264: aload_0 \nL265: bipush 92 \nL267: invokevirtual Method java/io/Writer write (I)V \nL270: aload_0 \nL271: bipush 114 \nL273: invokevirtual Method java/io/Writer write (I)V \nL276: goto L466 \n\n .stack same \nL279: iload 6 \nL281: bipush 15 \nL283: if_icmple L316 \nL286: aload_0 \nL287: new java/lang/StringBuilder \nL290: dup \nL291: invokespecial Method java/lang/StringBuilder ()V \nL294: ldc '\\\\u00' \nL296: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL299: iload 6 \nL301: invokestatic Method StringEscapeUtils hex (C)Ljava/lang/String; \nL304: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL307: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL310: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V \nL313: goto L466 \n\n .stack same \nL316: aload_0 \nL317: new java/lang/StringBuilder \nL320: dup \nL321: invokespecial Method java/lang/StringBuilder ()V \nL324: ldc '\\\\u000' \nL326: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL329: iload 6 \nL331: invokestatic Method StringEscapeUtils hex (C)Ljava/lang/String; \nL334: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL337: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL340: invokevirtual Method java/io/Writer write (Ljava/lang/String;)V \nL343: goto L466 \n\n .stack same \nL346: iload 6 \nL348: lookupswitch \n 34 : L411 \n 39 : L392 \n 47 : L441 \n 92 : L426 \n default : L460 \n\n\n .stack same \nL392: iload_2 \nL393: ifeq L402 \nL396: aload_0 \nL397: bipush 92 \nL399: invokevirtual Method java/io/Writer write (I)V \n\n .stack same \nL402: aload_0 \nL403: bipush 39 \nL405: invokevirtual Method java/io/Writer write (I)V \nL408: goto L466 \n\n .stack same \nL411: aload_0 \nL412: bipush 92 \nL414: invokevirtual Method java/io/Writer write (I)V \nL417: aload_0 \nL418: bipush 34 \nL420: invokevirtual Method java/io/Writer write (I)V \nL423: goto L466 \n\n .stack same \nL426: aload_0 \nL427: bipush 92 \nL429: invokevirtual Method java/io/Writer write (I)V \nL432: aload_0 \nL433: bipush 92 \nL435: invokevirtual Method java/io/Writer write (I)V \nL438: goto L466 \n\n .stack same \nL441: iload_3 \nL442: ifeq L451 \nL445: aload_0 \nL446: bipush 92 \nL448: invokevirtual Method java/io/Writer write (I)V \n\n .stack same \nL451: aload_0 \nL452: bipush 47 \nL454: invokevirtual Method java/io/Writer write (I)V \nL457: goto L466 \n\n .stack same \nL460: aload_0 \nL461: iload 6 \nL463: invokevirtual Method java/io/Writer write (I)V \n\n .stack chop 1 \nL466: iinc 5 1 \nL469: goto L28 \n\n .stack chop 1 \nL472: return \nL473: \n .linenumbertable \n L0 176 \n L4 177 \n L14 179 \n L18 180 \n L19 183 \n L25 184 \n L35 185 \n L43 188 \n L51 189 \n L81 190 \n L89 191 \n L119 192 \n L126 193 \n L156 194 \n L163 195 \n L204 197 \n L210 198 \n L216 199 \n L219 201 \n L225 202 \n L231 203 \n L234 205 \n L240 206 \n L246 207 \n L249 209 \n L255 210 \n L261 211 \n L264 213 \n L270 214 \n L276 215 \n L279 217 \n L286 218 \n L316 220 \n L343 222 \n L346 225 \n L392 227 \n L396 228 \n L402 230 \n L408 231 \n L411 233 \n L417 234 \n L423 235 \n L426 237 \n L432 238 \n L438 239 \n L441 241 \n L445 242 \n L451 244 \n L457 245 \n L460 247 \n L466 184 \n L472 252 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method private static hex : (C)Ljava/lang/String; \n .code stack 2 locals 1 \nL0: iload_0 \nL1: invokestatic Method java/lang/Integer toHexString (I)Ljava/lang/String; \nL4: getstatic Field java/util/Locale ENGLISH Ljava/util/Locale; \nL7: invokevirtual Method java/lang/String toUpperCase (Ljava/util/Locale;)Ljava/lang/String; \nL10: areturn \nL11: \n .linenumbertable \n L0 262 \n .end linenumbertable \n .end code \n.end method \n\n.method public static unescapeJava : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 2 \nL0: aload_0 \nL1: ifnonnull L6 \nL4: aconst_null \nL5: areturn \n .catch java/io/IOException from L6 to L27 using L28 \n\n .stack same \nL6: new java/io/StringWriter \nL9: dup \nL10: aload_0 \nL11: invokevirtual Method java/lang/String length ()I \nL14: invokespecial Method java/io/StringWriter (I)V \nL17: astore_1 \nL18: aload_1 \nL19: aload_0 \nL20: invokestatic Method StringEscapeUtils unescapeJava (Ljava/io/Writer;Ljava/lang/String;)V \nL23: aload_1 \nL24: invokevirtual Method java/io/StringWriter toString ()Ljava/lang/String; \nL27: areturn \n\n .stack stack_1 Object java/io/IOException \nL28: astore_1 \nL29: new java/lang/RuntimeException \nL32: dup \nL33: aload_1 \nL34: invokespecial Method java/lang/RuntimeException (Ljava/lang/Throwable;)V \nL37: athrow \nL38: \n .linenumbertable \n L0 275 \n L4 276 \n L6 279 \n L18 280 \n L23 281 \n L28 282 \n L29 284 \n .end linenumbertable \n .end code \n.end method \n\n.method public static unescapeJava : (Ljava/io/Writer;Ljava/lang/String;)V \n .code stack 4 locals 9 \nL0: aload_0 \nL1: ifnonnull L14 \nL4: new java/lang/IllegalArgumentException \nL7: dup \nL8: ldc 'The Writer must not be null' \nL10: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: aload_1 \nL15: ifnonnull L19 \nL18: return \n\n .stack same \nL19: aload_1 \nL20: invokevirtual Method java/lang/String length ()I \nL23: istore_2 \nL24: new java/lang/StringBuilder \nL27: dup \nL28: iconst_4 \nL29: invokespecial Method java/lang/StringBuilder (I)V \nL32: astore_3 \nL33: iconst_0 \nL34: istore 4 \nL36: iconst_0 \nL37: istore 5 \nL39: iconst_0 \nL40: istore 6 \n\n .stack full \n locals Object java/io/Writer Object java/lang/String Integer Object java/lang/StringBuilder Integer Integer Integer \n stack \n .end stack \nL42: iload 6 \nL44: iload_2 \nL45: if_icmpge L344 \nL48: aload_1 \nL49: iload 6 \nL51: invokevirtual Method java/lang/String charAt (I)C \nL54: istore 7 \nL56: iload 5 \nL58: ifeq L139 \nL61: aload_3 \nL62: iload 7 \nL64: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL67: pop \nL68: aload_3 \nL69: invokevirtual Method java/lang/StringBuilder length ()I \nL72: iconst_4 \nL73: if_icmpne L338 \n .catch java/lang/NumberFormatException from L76 to L105 using L108 \nL76: aload_3 \nL77: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL80: bipush 16 \nL82: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;I)I \nL85: istore 8 \nL87: aload_0 \nL88: iload 8 \nL90: i2c \nL91: invokevirtual Method java/io/Writer write (I)V \nL94: aload_3 \nL95: iconst_0 \nL96: invokevirtual Method java/lang/StringBuilder setLength (I)V \nL99: iconst_0 \nL100: istore 5 \nL102: iconst_0 \nL103: istore 4 \nL105: goto L338 \n\n .stack full \n locals Object java/io/Writer Object java/lang/String Integer Object java/lang/StringBuilder Integer Integer Integer Integer \n stack Object java/lang/NumberFormatException \n .end stack \nL108: astore 8 \nL110: new java/lang/RuntimeException \nL113: dup \nL114: new java/lang/StringBuilder \nL117: dup \nL118: invokespecial Method java/lang/StringBuilder ()V \nL121: ldc 'Unable to parse unicode value: ' \nL123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL126: aload_3 \nL127: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL130: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL133: aload 8 \nL135: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL138: athrow \n\n .stack same \nL139: iload 4 \nL141: ifeq L319 \nL144: iconst_0 \nL145: istore 4 \nL147: iload 7 \nL149: lookupswitch \n 34 : L250 \n 39 : L241 \n 92 : L232 \n 98 : L295 \n 102 : L268 \n 110 : L286 \n 114 : L259 \n 116 : L277 \n 117 : L304 \n default : L310 \n\n\n .stack same_extended \nL232: aload_0 \nL233: bipush 92 \nL235: invokevirtual Method java/io/Writer write (I)V \nL238: goto L338 \n\n .stack same \nL241: aload_0 \nL242: bipush 39 \nL244: invokevirtual Method java/io/Writer write (I)V \nL247: goto L338 \n\n .stack same \nL250: aload_0 \nL251: bipush 34 \nL253: invokevirtual Method java/io/Writer write (I)V \nL256: goto L338 \n\n .stack same \nL259: aload_0 \nL260: bipush 13 \nL262: invokevirtual Method java/io/Writer write (I)V \nL265: goto L338 \n\n .stack same \nL268: aload_0 \nL269: bipush 12 \nL271: invokevirtual Method java/io/Writer write (I)V \nL274: goto L338 \n\n .stack same \nL277: aload_0 \nL278: bipush 9 \nL280: invokevirtual Method java/io/Writer write (I)V \nL283: goto L338 \n\n .stack same \nL286: aload_0 \nL287: bipush 10 \nL289: invokevirtual Method java/io/Writer write (I)V \nL292: goto L338 \n\n .stack same \nL295: aload_0 \nL296: bipush 8 \nL298: invokevirtual Method java/io/Writer write (I)V \nL301: goto L338 \n\n .stack same \nL304: iconst_1 \nL305: istore 5 \nL307: goto L338 \n\n .stack same \nL310: aload_0 \nL311: iload 7 \nL313: invokevirtual Method java/io/Writer write (I)V \nL316: goto L338 \n\n .stack same \nL319: iload 7 \nL321: bipush 92 \nL323: if_icmpne L332 \nL326: iconst_1 \nL327: istore 4 \nL329: goto L338 \n\n .stack same \nL332: aload_0 \nL333: iload 7 \nL335: invokevirtual Method java/io/Writer write (I)V \n\n .stack chop 1 \nL338: iinc 6 1 \nL341: goto L42 \n\n .stack chop 1 \nL344: iload 4 \nL346: ifeq L355 \nL349: aload_0 \nL350: bipush 92 \nL352: invokevirtual Method java/io/Writer write (I)V \n\n .stack same \nL355: return \nL356: \n .linenumbertable \n L0 304 \n L4 305 \n L14 307 \n L18 308 \n L19 310 \n L24 311 \n L33 312 \n L36 313 \n L39 314 \n L48 315 \n L56 316 \n L61 319 \n L68 320 \n L76 324 \n L87 325 \n L94 326 \n L99 327 \n L102 328 \n L105 331 \n L108 329 \n L110 330 \n L139 335 \n L144 337 \n L147 338 \n L232 340 \n L238 341 \n L241 343 \n L247 344 \n L250 346 \n L256 347 \n L259 349 \n L265 350 \n L268 352 \n L274 353 \n L277 355 \n L283 356 \n L286 358 \n L292 359 \n L295 361 \n L301 362 \n L304 366 \n L307 367 \n L310 370 \n L316 371 \n L319 374 \n L326 375 \n L329 376 \n L332 378 \n L338 314 \n L344 380 \n L349 383 \n L355 385 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method public static unescapeJavaScript : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokestatic Method StringEscapeUtils unescapeJava (Ljava/lang/String;)Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 399 \n .end linenumbertable \n .end code \n.end method \n\n.method public static unescapeJavaScript : (Ljava/io/Writer;Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokestatic Method StringEscapeUtils unescapeJava (Ljava/io/Writer;Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 419 \n L5 420 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'StringEscapeUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 09:12:20 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.io.StringWriter;\nimport java.io.Writer;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class StringEscapeUtils_ESTest extends StringEscapeUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n // Undeclared exception!\n try { \n StringEscapeUtils.unescapeJavaScript((Writer) null, \"\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // The Writer must not be null\n //\n verifyException(\"StringEscapeUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n String string0 = StringEscapeUtils.unescapeJavaScript(\"K#r!Vu.\n ****************************************************************************/\n\n/**\n * @author deweyvm\n */\npublic class Recti {\n public final int x;\n public final int y;\n public final int width;\n public final int height;\n\n public Recti(int x, int y, int width, int height) {\n this.x = x;\n this.y = y;\n this.width = width;\n this.height = height;\n }\n\n @Override\n public String toString() {\n return String.format(\"(%d,%d,%d,%d)\", x, y, width, height);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Recti \n.super java/lang/Object \n.field public final x I \n.field public final y I \n.field public final width I \n.field public final height I \n\n.method public : (IIII)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field Recti x I \nL9: aload_0 \nL10: iload_2 \nL11: putfield Field Recti y I \nL14: aload_0 \nL15: iload_3 \nL16: putfield Field Recti width I \nL19: aload_0 \nL20: iload 4 \nL22: putfield Field Recti height I \nL25: return \nL26: \n .linenumbertable \n L0 31 \n L4 32 \n L9 33 \n L14 34 \n L19 35 \n L25 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 5 locals 1 \nL0: ldc '(%d,%d,%d,%d)' \nL2: iconst_4 \nL3: anewarray java/lang/Object \nL6: dup \nL7: iconst_0 \nL8: aload_0 \nL9: getfield Field Recti x I \nL12: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL15: aastore \nL16: dup \nL17: iconst_1 \nL18: aload_0 \nL19: getfield Field Recti y I \nL22: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL25: aastore \nL26: dup \nL27: iconst_2 \nL28: aload_0 \nL29: getfield Field Recti width I \nL32: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL35: aastore \nL36: dup \nL37: iconst_3 \nL38: aload_0 \nL39: getfield Field Recti height I \nL42: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL45: aastore \nL46: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; \nL49: areturn \nL50: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Recti.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 19:37:45 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Recti_ESTest extends Recti_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Recti recti0 = new Recti((-58421), (-58421), (-58421), (-58421));\n String string0 = recti0.toString();\n assertEquals(\"(-58421,-58421,-58421,-58421)\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 19:37:45 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Recti_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Recti\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp43hoacs0\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Recti_ESTest_scaffolding.class.getClassLoader() ,\n \"Recti\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Recti_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Recti\"\n );\n }\n}\n", "class_idx": 131} {"class_name": "PropertyInfo", "java_source": "// Copyright 2004 The Apache Software Foundation\n//\n// Licensed under the Apache License, Version 2.0 (the \"License\");\n// you may not use this file except in compliance with the License.\n// You may obtain a copy of the License at\n//\n// http://www.apache.org/licenses/LICENSE-2.0\n//\n// Unless required by applicable law or agreed to in writing, software\n// distributed under the License is distributed on an \"AS IS\" BASIS,\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n// See the License for the specific language governing permissions and\n// limitations under the License.\n\n/**\n * Used by {@link org.apache.tapestry.util.prop.PropertyFinder} to identify information about a\n * property.\n *\n * @author Howard Lewis Ship\n * @version $Id$\n * @since 2.2\n */\npublic class PropertyInfo {\n private String _name;\n private Class _type;\n private boolean _read;\n private boolean _write;\n\n PropertyInfo(String name, Class type, boolean read, boolean write) {\n _name = name;\n _type = type;\n _read = read;\n _write = write;\n }\n\n public String getName() {\n return _name;\n }\n\n public Class getType() {\n return _type;\n }\n\n public boolean isRead() {\n return _read;\n }\n\n public boolean isWrite() {\n return _write;\n }\n\n public boolean isReadWrite() {\n return _read && _write;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PropertyInfo \n.super java/lang/Object \n.field private _name Ljava/lang/String; \n.field private _type Ljava/lang/Class; \n.field private _read Z \n.field private _write Z \n\n.method : (Ljava/lang/String;Ljava/lang/Class;ZZ)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field PropertyInfo _name Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field PropertyInfo _type Ljava/lang/Class; \nL14: aload_0 \nL15: iload_3 \nL16: putfield Field PropertyInfo _read Z \nL19: aload_0 \nL20: iload 4 \nL22: putfield Field PropertyInfo _write Z \nL25: return \nL26: \n .linenumbertable \n L0 36 \n L4 37 \n L9 38 \n L14 39 \n L19 40 \n L25 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyInfo _name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public getType : ()Ljava/lang/Class; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyInfo _type Ljava/lang/Class; \nL4: areturn \nL5: \n .linenumbertable \n L0 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public isRead : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyInfo _read Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public isWrite : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyInfo _write Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public isReadWrite : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyInfo _read Z \nL4: ifeq L18 \nL7: aload_0 \nL8: getfield Field PropertyInfo _write Z \nL11: ifeq L18 \nL14: iconst_1 \nL15: goto L19 \n\n .stack same \nL18: iconst_0 \n\n .stack stack_1 Integer \nL19: ireturn \nL20: \n .linenumbertable \n L0 65 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PropertyInfo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 05:08:41 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PropertyInfo_ESTest extends PropertyInfo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"=WxdHQ\", class0, true, true);\n boolean boolean0 = propertyInfo0.isWrite();\n assertTrue(propertyInfo0.isReadWrite());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Class class0 = String.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"`\\\"NL#$Gy'Z\", class0, true, true);\n boolean boolean0 = propertyInfo0.isRead();\n assertTrue(propertyInfo0.isReadWrite());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n PropertyInfo propertyInfo0 = new PropertyInfo(\"*C\", (Class) null, true, true);\n propertyInfo0.getType();\n assertTrue(propertyInfo0.isReadWrite());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Class class0 = String.class;\n PropertyInfo propertyInfo0 = new PropertyInfo((String) null, class0, true, true);\n propertyInfo0.getName();\n assertTrue(propertyInfo0.isReadWrite());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Class class0 = String.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"\", class0, true, true);\n propertyInfo0.getName();\n assertTrue(propertyInfo0.isReadWrite());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"v\", class0, true, false);\n boolean boolean0 = propertyInfo0.isReadWrite();\n assertTrue(propertyInfo0.isRead());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"*C\", class0, true, true);\n boolean boolean0 = propertyInfo0.isReadWrite();\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"CcX2!mTf#pta\", class0, false, false);\n boolean boolean0 = propertyInfo0.isReadWrite();\n assertFalse(propertyInfo0.isWrite());\n assertFalse(propertyInfo0.isRead());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"v\", class0, true, false);\n boolean boolean0 = propertyInfo0.isWrite();\n assertTrue(propertyInfo0.isRead());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"*C\", class0, true, true);\n propertyInfo0.getName();\n assertTrue(propertyInfo0.isReadWrite());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"CcX2!mTf#pta\", class0, false, false);\n propertyInfo0.getType();\n assertFalse(propertyInfo0.isWrite());\n assertFalse(propertyInfo0.isRead());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Class class0 = Object.class;\n PropertyInfo propertyInfo0 = new PropertyInfo(\"CcX2!mTf#pta\", class0, false, false);\n boolean boolean0 = propertyInfo0.isRead();\n assertFalse(propertyInfo0.isWrite());\n assertFalse(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 05:08:41 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PropertyInfo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PropertyInfo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6zr6bzdl\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PropertyInfo_ESTest_scaffolding.class.getClassLoader() ,\n \"PropertyInfo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PropertyInfo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PropertyInfo\"\n );\n }\n}\n", "class_idx": 132} {"class_name": "RedisHashtags", "java_source": "// Copyright 2020 The Bazel Authors. All rights reserved.\n//\n// Licensed under the Apache License, Version 2.0 (the \"License\");\n// you may not use this file except in compliance with the License.\n// You may obtain a copy of the License at\n//\n// http://www.apache.org/licenses/LICENSE-2.0\n//\n// Unless required by applicable law or agreed to in writing, software\n// distributed under the License is distributed on an \"AS IS\" BASIS,\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n// See the License for the specific language governing permissions and\n// limitations under the License.\n\nimport java.util.regex.Matcher;\nimport java.util.regex.Pattern;\n\n/**\n * @class RedisHashtags\n * @brief String utilities when dealing with key names that involve hashtags.\n * @details Simple parsers for extracting out / adding hashtags to redis keys.\n */\npublic class RedisHashtags {\n /**\n * @brief Append the hashtag value to the base queue name.\n * @details Creates a valid queue name for one of the entire queues.\n * @param name The global name of the queue.\n * @param hashtag A hashtag for an individual internal queue.\n * @return A valid queue name for one of the internal queues.\n * @note Suggested return identifier: queueName.\n */\n public static String hashedName(String name, String hashtag) {\n return \"{\" + hashtag + \"}\" + name;\n }\n\n /**\n * @brief Remove any existing redis hashtag from the key name.\n * @details Creates a valid key name with any existing hashtags removed.\n * @param name The global name of the queue.\n * @return A valid keyname without hashtags.\n * @note Suggested return identifier: queueName.\n */\n public static String unhashedName(String name) {\n return name.replaceAll(\"\\\\{.*?\\\\}\", \"\");\n }\n\n /**\n * @brief Get the existing hashtag of the name.\n * @details Parses out the first redis hashtag found. If no hashtags are found, an empty string is\n * returned.\n * @param name The global name of the queue.\n * @return The existing hashtag name found in the string (brackets are removed).\n * @note Suggested return identifier: hashtag.\n */\n public static String existingHash(String name) {\n String regex = \"\\\\{.*?\\\\}\";\n Pattern pattern = Pattern.compile(regex);\n Matcher matcher = pattern.matcher(name);\n\n // hashtag found\n if (matcher.find()) {\n // extract from matcher\n String hashtag = matcher.group(0);\n\n // remove brackets\n hashtag = hashtag.substring(1, hashtag.length() - 1);\n\n return hashtag;\n }\n\n // hashtag not found\n return \"\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super RedisHashtags \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public static hashedName : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 2 locals 2 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc '{' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_1 \nL13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL16: ldc '}' \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: aload_0 \nL22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL25: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL28: areturn \nL29: \n .linenumbertable \n L0 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public static unhashedName : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 1 \nL0: aload_0 \nL1: ldc '\\\\{.*?\\\\}' \nL3: ldc '' \nL5: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL8: areturn \nL9: \n .linenumbertable \n L0 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public static existingHash : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 4 locals 5 \nL0: ldc '\\\\{.*?\\\\}' \nL2: astore_1 \nL3: aload_1 \nL4: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern; \nL7: astore_2 \nL8: aload_2 \nL9: aload_0 \nL10: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher; \nL13: astore_3 \nL14: aload_3 \nL15: invokevirtual Method java/util/regex/Matcher find ()Z \nL18: ifeq L46 \nL21: aload_3 \nL22: iconst_0 \nL23: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String; \nL26: astore 4 \nL28: aload 4 \nL30: iconst_1 \nL31: aload 4 \nL33: invokevirtual Method java/lang/String length ()I \nL36: iconst_1 \nL37: isub \nL38: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL41: astore 4 \nL43: aload 4 \nL45: areturn \n\n .stack append Object java/lang/String Object java/util/regex/Pattern Object java/util/regex/Matcher \nL46: ldc '' \nL48: areturn \nL49: \n .linenumbertable \n L0 58 \n L3 59 \n L8 60 \n L14 63 \n L21 65 \n L28 68 \n L43 70 \n L46 74 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'RedisHashtags.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 12:30:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class RedisHashtags_ESTest extends RedisHashtags_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n RedisHashtags.hashedName(\"1# \", \"1# \");\n RedisHashtags.unhashedName(\"\");\n String string0 = RedisHashtags.existingHash(\"{1# }1# \");\n assertEquals(\"1# \", string0);\n \n RedisHashtags.unhashedName(\"\");\n RedisHashtags.existingHash(\"\");\n String string1 = RedisHashtags.hashedName(\"\", \"{a2cfM+7}$d#\\\"K}\");\n assertEquals(\"{{a2cfM+7}$d#\\\"K}}\", string1);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String string0 = RedisHashtags.unhashedName(\"63C)j\u007fgp:1J_od5 oeL\");\n assertEquals(\"63C)j\u007fgp:1J_od5 oeL\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n RedisHashtags redisHashtags0 = new RedisHashtags();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 12:30:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class RedisHashtags_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"RedisHashtags\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpgsb78c5q\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RedisHashtags_ESTest_scaffolding.class.getClassLoader() ,\n \"RedisHashtags\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RedisHashtags_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"RedisHashtags\"\n );\n }\n}\n", "class_idx": 133} {"class_name": "Venda", "java_source": "/*\n * To change this license header, choose License Headers in Project Properties.\n * To change this template file, choose Tools | Templates\n * and open the template in the editor.\n */\n\n/**\n * @author luisa\n */\npublic class Venda {\n private int codigo;\n private int codCliente;\n private float valorVenda;\n private float desconto;\n private String pagamento;\n private int codProduto;\n\n public int getCodigo() {\n return codigo;\n }\n\n public void setCodigo(int codigo) {\n this.codigo = codigo;\n }\n\n public int getCodCliente() {\n return codCliente;\n }\n\n public void setCodCliente(int codCliente) {\n this.codCliente = codCliente;\n }\n\n public float getValorVenda() {\n return valorVenda;\n }\n\n public void setValorVenda(float valorVenda) {\n this.valorVenda = valorVenda;\n }\n\n public float getDesconto() {\n return desconto;\n }\n\n public void setDesconto(float desconto) {\n this.desconto = desconto;\n }\n\n public String getPagamento() {\n return pagamento;\n }\n\n public void setPagamento(String pagamento) {\n this.pagamento = pagamento;\n }\n\n public int getCodProduto() {\n return codProduto;\n }\n\n public void setCodProduto(int codProduto) {\n this.codProduto = codProduto;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Venda \n.super java/lang/Object \n.field private codigo I \n.field private codCliente I \n.field private valorVenda F \n.field private desconto F \n.field private pagamento Ljava/lang/String; \n.field private codProduto I \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCodigo : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Venda codigo I \nL4: ireturn \nL5: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCodigo : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Venda codigo I \nL5: return \nL6: \n .linenumbertable \n L0 25 \n L5 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCodCliente : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Venda codCliente I \nL4: ireturn \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCodCliente : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Venda codCliente I \nL5: return \nL6: \n .linenumbertable \n L0 33 \n L5 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public getValorVenda : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Venda valorVenda F \nL4: freturn \nL5: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public setValorVenda : (F)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: fload_1 \nL2: putfield Field Venda valorVenda F \nL5: return \nL6: \n .linenumbertable \n L0 41 \n L5 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDesconto : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Venda desconto F \nL4: freturn \nL5: \n .linenumbertable \n L0 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDesconto : (F)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: fload_1 \nL2: putfield Field Venda desconto F \nL5: return \nL6: \n .linenumbertable \n L0 49 \n L5 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPagamento : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Venda pagamento Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPagamento : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Venda pagamento Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 57 \n L5 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCodProduto : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Venda codProduto I \nL4: ireturn \nL5: \n .linenumbertable \n L0 61 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCodProduto : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Venda codProduto I \nL5: return \nL6: \n .linenumbertable \n L0 65 \n L5 66 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Venda.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 17:39:01 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Venda_ESTest extends Venda_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setValorVenda(36049.82F);\n float float0 = venda0.getValorVenda();\n assertEquals(36049.82F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setValorVenda((-55460.0F));\n float float0 = venda0.getValorVenda();\n assertEquals((-55460.0F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setPagamento(\"1m#1*j\");\n String string0 = venda0.getPagamento();\n assertEquals(\"1m#1*j\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setPagamento(\"\");\n String string0 = venda0.getPagamento();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setDesconto((-61116.0F));\n float float0 = venda0.getDesconto();\n assertEquals((-61116.0F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setCodigo(36993);\n int int0 = venda0.getCodigo();\n assertEquals(36993, int0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setCodigo((-46322));\n int int0 = venda0.getCodigo();\n assertEquals((-46322), int0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setCodProduto(38476);\n int int0 = venda0.getCodProduto();\n assertEquals(38476, int0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setCodProduto((-44949));\n int int0 = venda0.getCodProduto();\n assertEquals((-44949), int0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setCodCliente(149704);\n int int0 = venda0.getCodCliente();\n assertEquals(149704, int0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setCodCliente((-1));\n int int0 = venda0.getCodCliente();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Venda venda0 = new Venda();\n float float0 = venda0.getDesconto();\n assertEquals(0.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Venda venda0 = new Venda();\n String string0 = venda0.getPagamento();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Venda venda0 = new Venda();\n int int0 = venda0.getCodigo();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Venda venda0 = new Venda();\n int int0 = venda0.getCodProduto();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Venda venda0 = new Venda();\n venda0.setDesconto(36049.82F);\n float float0 = venda0.getDesconto();\n assertEquals(36049.82F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Venda venda0 = new Venda();\n int int0 = venda0.getCodCliente();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Venda venda0 = new Venda();\n float float0 = venda0.getValorVenda();\n assertEquals(0.0F, float0, 0.01F);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 17:39:01 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Venda_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Venda\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpb3an_h5u\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Venda_ESTest_scaffolding.class.getClassLoader() ,\n \"Venda\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Venda_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Venda\"\n );\n }\n}\n", "class_idx": 134} {"class_name": "ShellSort", "java_source": "public class ShellSort {}\n", "jasm_code": ".version 52 0 \n.class public super ShellSort \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ShellSort.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 10:55:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ShellSort_ESTest extends ShellSort_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ShellSort shellSort0 = new ShellSort();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 10:55:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ShellSort_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ShellSort\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmppmgbfqyy\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ShellSort_ESTest_scaffolding.class.getClassLoader() ,\n \"ShellSort\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ShellSort_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ShellSort\"\n );\n }\n}\n", "class_idx": 135} {"class_name": "Processor", "java_source": "/*\n * Copyright 2009-2021 the original author or authors.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.util.Map;\n\npublic class Processor {\n\n private String className;\n\n private Map properties;\n\n private boolean skip;\n\n public String getClassName() {\n return className;\n }\n\n public void setClassName(String className) {\n this.className = className;\n }\n\n public Map getProperties() {\n return properties;\n }\n\n public void setProperties(Map properties) {\n this.properties = properties;\n }\n\n public boolean isSkip() {\n return skip;\n }\n\n public void setSkip(boolean skip) {\n this.skip = skip;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Processor \n.super java/lang/Object \n.field private className Ljava/lang/String; \n.field private properties Ljava/util/Map; .fieldattributes \n .signature Ljava/util/Map; \n.end fieldattributes \n.field private skip Z \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public getClassName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Processor className Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public setClassName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Processor className Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 33 \n L5 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperties : ()Ljava/util/Map; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Processor properties Ljava/util/Map; \nL4: areturn \nL5: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/Map; \n.end method \n\n.method public setProperties : (Ljava/util/Map;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Processor properties Ljava/util/Map; \nL5: return \nL6: \n .linenumbertable \n L0 41 \n L5 42 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Map;)V \n.end method \n\n.method public isSkip : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Processor skip Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSkip : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Processor skip Z \nL5: return \nL6: \n .linenumbertable \n L0 49 \n L5 50 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Processor.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 02:11:20 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.HashMap;\nimport java.util.Map;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Processor_ESTest extends Processor_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Processor processor0 = new Processor();\n processor0.setSkip(true);\n boolean boolean0 = processor0.isSkip();\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Processor processor0 = new Processor();\n HashMap hashMap0 = new HashMap();\n processor0.setProperties(hashMap0);\n Map map0 = processor0.getProperties();\n assertTrue(map0.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Processor processor0 = new Processor();\n HashMap hashMap0 = new HashMap();\n Integer integer0 = new Integer(0);\n hashMap0.put(\";R\", integer0);\n processor0.setProperties(hashMap0);\n Map map0 = processor0.getProperties();\n assertEquals(1, map0.size());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Processor processor0 = new Processor();\n processor0.setClassName(\")\");\n String string0 = processor0.getClassName();\n assertEquals(\")\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Processor processor0 = new Processor();\n processor0.setClassName(\"\");\n String string0 = processor0.getClassName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Processor processor0 = new Processor();\n Map map0 = processor0.getProperties();\n assertNull(map0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Processor processor0 = new Processor();\n boolean boolean0 = processor0.isSkip();\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Processor processor0 = new Processor();\n String string0 = processor0.getClassName();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 02:11:20 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Processor_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Processor\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkj__nost\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Processor_ESTest_scaffolding.class.getClassLoader() ,\n \"Processor\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Processor_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Processor\"\n );\n }\n}\n", "class_idx": 136} {"class_name": "ReverseVowelsofaString", "java_source": "public class ReverseVowelsofaString {\n\n public static void main(String[] args) {\n // TODO Auto-generated method stub\n String string = \"leetcode\";\n System.out.println(reverseVowels(string));\n }\n\n // public static String reverseVowels(String s) {//\u53cd\u8f6c\u76f8\u90bb\u7684\n // \tif(s==null || s.length()==0){return s;};\n // \tArrayList arr=new ArrayList<>();\n // \tint a=-1;\n // \tchar b;\n // \tdo {\n // \ta++;\n // \tb=s.charAt(a);\n // \tarr.add(b);\n //\t\t} while ((!isVowels(b))&&(a stack=new Stack<>();\n //\t\t for(int i=0;i map=new HashMap<>();\n int bef = 0;\n int last = s.length() - 1;\n char[] ss = new char[s.length()];\n while (true) {\n for (int i = bef; i <= last; i++) {\n bef = i;\n if (isVowels(s.charAt(i))) {\n break;\n } else {\n ss[i] = s.charAt(i);\n // map.put(i, s.charAt(i));\n }\n }\n for (int i = last; i >= bef; i--) {\n last = i;\n if (isVowels(s.charAt(i))) {\n break;\n } else {\n ss[i] = s.charAt(i);\n // map.put(i, s.charAt(i));\n }\n }\n if (bef < last) {\n ss[bef] = s.charAt(last);\n ss[last] = s.charAt(bef);\n // map.put(bef, s.charAt(last));\n // map.put(last, s.charAt(bef));\n bef = bef + 1;\n last = last - 1;\n } else if (bef == last) {\n ss[bef] = s.charAt(bef);\n // map.put(bef, s.charAt(bef));\n break;\n } else {\n break;\n }\n }\n //\t\t String result=\"\";\n //\t\t for(int i=0;i : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: ldc 'leetcode' \nL2: astore_1 \nL3: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL6: aload_1 \nL7: invokestatic Method ReverseVowelsofaString reverseVowels (Ljava/lang/String;)Ljava/lang/String; \nL10: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL13: return \nL14: \n .linenumbertable \n L0 7 \n L3 8 \n L13 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public static reverseVowels : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 4 locals 5 \nL0: aload_0 \nL1: ifnull L11 \nL4: aload_0 \nL5: invokevirtual Method java/lang/String length ()I \nL8: ifne L13 \n\n .stack same \nL11: aload_0 \nL12: areturn \n\n .stack same \nL13: iconst_0 \nL14: istore_1 \nL15: aload_0 \nL16: invokevirtual Method java/lang/String length ()I \nL19: iconst_1 \nL20: isub \nL21: istore_2 \nL22: aload_0 \nL23: invokevirtual Method java/lang/String length ()I \nL26: newarray char \nL28: astore_3 \n\n .stack append Integer Integer Object [C \nL29: iload_1 \nL30: istore 4 \n\n .stack append Integer \nL32: iload 4 \nL34: iload_2 \nL35: if_icmpgt L72 \nL38: iload 4 \nL40: istore_1 \nL41: aload_0 \nL42: iload 4 \nL44: invokevirtual Method java/lang/String charAt (I)C \nL47: invokestatic Method ReverseVowelsofaString isVowels (C)Z \nL50: ifeq L56 \nL53: goto L72 \n\n .stack same \nL56: aload_3 \nL57: iload 4 \nL59: aload_0 \nL60: iload 4 \nL62: invokevirtual Method java/lang/String charAt (I)C \nL65: castore \nL66: iinc 4 1 \nL69: goto L32 \n\n .stack chop 1 \nL72: iload_2 \nL73: istore 4 \n\n .stack append Integer \nL75: iload 4 \nL77: iload_1 \nL78: if_icmplt L115 \nL81: iload 4 \nL83: istore_2 \nL84: aload_0 \nL85: iload 4 \nL87: invokevirtual Method java/lang/String charAt (I)C \nL90: invokestatic Method ReverseVowelsofaString isVowels (C)Z \nL93: ifeq L99 \nL96: goto L115 \n\n .stack same \nL99: aload_3 \nL100: iload 4 \nL102: aload_0 \nL103: iload 4 \nL105: invokevirtual Method java/lang/String charAt (I)C \nL108: castore \nL109: iinc 4 -1 \nL112: goto L75 \n\n .stack chop 1 \nL115: iload_1 \nL116: iload_2 \nL117: if_icmpge L147 \nL120: aload_3 \nL121: iload_1 \nL122: aload_0 \nL123: iload_2 \nL124: invokevirtual Method java/lang/String charAt (I)C \nL127: castore \nL128: aload_3 \nL129: iload_2 \nL130: aload_0 \nL131: iload_1 \nL132: invokevirtual Method java/lang/String charAt (I)C \nL135: castore \nL136: iload_1 \nL137: iconst_1 \nL138: iadd \nL139: istore_1 \nL140: iload_2 \nL141: iconst_1 \nL142: isub \nL143: istore_2 \nL144: goto L29 \n\n .stack same \nL147: iload_1 \nL148: iload_2 \nL149: if_icmpne L163 \nL152: aload_3 \nL153: iload_1 \nL154: aload_0 \nL155: iload_1 \nL156: invokevirtual Method java/lang/String charAt (I)C \nL159: castore \nL160: goto L163 \n\n .stack same \nL163: new java/lang/String \nL166: dup \nL167: aload_3 \nL168: invokespecial Method java/lang/String ([C)V \nL171: areturn \nL172: \n .linenumbertable \n L0 60 \n L11 61 \n L13 65 \n L15 66 \n L22 67 \n L29 69 \n L38 70 \n L41 71 \n L53 72 \n L56 74 \n L66 69 \n L72 78 \n L81 79 \n L84 80 \n L96 81 \n L99 83 \n L109 78 \n L115 87 \n L120 88 \n L128 89 \n L136 92 \n L140 93 \n L147 94 \n L152 95 \n L160 97 \n L163 113 \n .end linenumbertable \n .end code \n.end method \n\n.method public static isVowels : (C)Z \n .code stack 2 locals 1 \nL0: iload_0 \nL1: bipush 97 \nL3: if_icmpeq L60 \nL6: iload_0 \nL7: bipush 101 \nL9: if_icmpeq L60 \nL12: iload_0 \nL13: bipush 105 \nL15: if_icmpeq L60 \nL18: iload_0 \nL19: bipush 111 \nL21: if_icmpeq L60 \nL24: iload_0 \nL25: bipush 117 \nL27: if_icmpeq L60 \nL30: iload_0 \nL31: bipush 65 \nL33: if_icmpeq L60 \nL36: iload_0 \nL37: bipush 69 \nL39: if_icmpeq L60 \nL42: iload_0 \nL43: bipush 73 \nL45: if_icmpeq L60 \nL48: iload_0 \nL49: bipush 79 \nL51: if_icmpeq L60 \nL54: iload_0 \nL55: bipush 85 \nL57: if_icmpne L62 \n\n .stack same \nL60: iconst_1 \nL61: ireturn \n\n .stack same \nL62: iconst_0 \nL63: ireturn \nL64: \n .linenumbertable \n L0 117 \n L60 118 \n L62 120 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ReverseVowelsofaString.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:25:25 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ReverseVowelsofaString_ESTest extends ReverseVowelsofaString_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n ReverseVowelsofaString.isVowels('j');\n ReverseVowelsofaString.isVowels(' ');\n ReverseVowelsofaString.isVowels(' ');\n ReverseVowelsofaString.reverseVowels(\"2a(I?5EWo@k|R]v<\");\n ReverseVowelsofaString.reverseVowels(\"2a(I?5EWo@k|R]v<\");\n ReverseVowelsofaString.reverseVowels(\"2o(E?5IWa@k|R]v<\");\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n ReverseVowelsofaString.reverseVowels(\"2o(E?5IWa@k|R]v<\");\n ReverseVowelsofaString.reverseVowels(\"ReverseVowelsofaString\");\n String[] stringArray0 = new String[6];\n stringArray0[0] = \"ReverseVowelsofaString\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"ReverseVowelsofaString\";\n stringArray0[3] = \"2a(I?5EWo@k|R]v<\";\n stringArray0[4] = \"ReverseVowelsofaString\";\n stringArray0[5] = \"2a(I?5EWo@k|R]v<\";\n ReverseVowelsofaString.main(stringArray0);\n assertEquals(6, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n ReverseVowelsofaString.reverseVowels(\"ReverseVowelsofaString\");\n ReverseVowelsofaString.reverseVowels(\"RivarsoVewolsefeStreng\");\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n String[] stringArray0 = new String[7];\n stringArray0[0] = \"ReverseVowelsofaString\";\n stringArray0[1] = \"ReverseVowelsofaString\";\n stringArray0[2] = \"ReverseVowelsofaString\";\n stringArray0[3] = \"ReverseVowelsofaString\";\n stringArray0[4] = \"ReverseVowelsofaString\";\n stringArray0[5] = \"RivarsoVewolsefeStreng\";\n stringArray0[6] = \"ReverseVowelsofaString\";\n ReverseVowelsofaString.main(stringArray0);\n String[] stringArray1 = new String[1];\n stringArray1[0] = \"ReverseVowelsofaString\";\n ReverseVowelsofaString.main(stringArray1);\n ReverseVowelsofaString.main(stringArray1);\n ReverseVowelsofaString.isVowels('+');\n String string0 = ReverseVowelsofaString.reverseVowels(\"ReverseVowelsofaString\");\n assertEquals(\"RivarsoVewolsefeStreng\", string0);\n \n ReverseVowelsofaString.reverseVowels(\"\");\n ReverseVowelsofaString.isVowels('G');\n ReverseVowelsofaString.main(stringArray0);\n ReverseVowelsofaString.main(stringArray1);\n ReverseVowelsofaString.isVowels('G');\n String string1 = ReverseVowelsofaString.reverseVowels(\"(eU uYG9q&{jHo`\");\n assertEquals(\"(ou UYG9q&{jHe`\", string1);\n \n String[] stringArray2 = new String[1];\n stringArray2[0] = \"RivarsoVewolsefeStreng\";\n ReverseVowelsofaString.main(stringArray2);\n boolean boolean0 = ReverseVowelsofaString.isVowels('q');\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n ReverseVowelsofaString.reverseVowels((String) null);\n String[] stringArray0 = new String[8];\n stringArray0[0] = null;\n stringArray0[1] = null;\n stringArray0[2] = null;\n stringArray0[3] = null;\n stringArray0[4] = null;\n stringArray0[5] = null;\n stringArray0[6] = \"\";\n stringArray0[7] = null;\n ReverseVowelsofaString.main(stringArray0);\n boolean boolean0 = ReverseVowelsofaString.isVowels('N');\n assertFalse(boolean0);\n \n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n ReverseVowelsofaString.main(stringArray0);\n boolean boolean1 = ReverseVowelsofaString.isVowels('F');\n assertFalse(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n ReverseVowelsofaString.reverseVowels((String) null);\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n String[] stringArray0 = new String[8];\n stringArray0[0] = null;\n stringArray0[1] = null;\n stringArray0[2] = null;\n stringArray0[3] = null;\n stringArray0[4] = null;\n stringArray0[5] = null;\n stringArray0[6] = null;\n stringArray0[7] = \"\";\n ReverseVowelsofaString.main(stringArray0);\n ReverseVowelsofaString.reverseVowels(\"\");\n ReverseVowelsofaString.reverseVowels((String) null);\n String string0 = ReverseVowelsofaString.reverseVowels(\"ETZ=ay4q^r4S6\u007f;t*\");\n ReverseVowelsofaString.reverseVowels((String) null);\n ReverseVowelsofaString.reverseVowels(\"\");\n String[] stringArray1 = new String[2];\n stringArray1[0] = \"H6>qFl _\";\n stringArray1[1] = null;\n ReverseVowelsofaString.main(stringArray1);\n ReverseVowelsofaString.reverseVowels(\"\");\n ReverseVowelsofaString.isVowels('b');\n ReverseVowelsofaString.isVowels('b');\n ReverseVowelsofaString.reverseVowels((String) null);\n ReverseVowelsofaString.isVowels('b');\n ReverseVowelsofaString.reverseVowels(\"zMPk8K-?e.zb7;6\u007f.{\");\n ReverseVowelsofaString.reverseVowels((String) null);\n String string1 = ReverseVowelsofaString.reverseVowels(\"\");\n assertFalse(string1.equals((Object)string0));\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n String[] stringArray0 = new String[0];\n ReverseVowelsofaString.main(stringArray0);\n ReverseVowelsofaString.reverseVowels((String) null);\n String[] stringArray1 = new String[5];\n stringArray1[0] = null;\n stringArray1[1] = null;\n stringArray1[2] = null;\n stringArray1[3] = null;\n stringArray1[4] = null;\n ReverseVowelsofaString.main(stringArray1);\n ReverseVowelsofaString.reverseVowels((String) null);\n boolean boolean0 = ReverseVowelsofaString.isVowels('H');\n assertFalse(boolean0);\n \n ReverseVowelsofaString.isVowels('5');\n boolean boolean1 = ReverseVowelsofaString.isVowels('?');\n assertFalse(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n ReverseVowelsofaString.reverseVowels(\"\");\n String[] stringArray0 = new String[6];\n stringArray0[0] = \"\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"\";\n stringArray0[4] = \"\";\n stringArray0[5] = \"\";\n ReverseVowelsofaString.main(stringArray0);\n ReverseVowelsofaString.main(stringArray0);\n ReverseVowelsofaString.reverseVowels((String) null);\n boolean boolean0 = ReverseVowelsofaString.isVowels('C');\n ReverseVowelsofaString.main(stringArray0);\n String[] stringArray1 = new String[3];\n stringArray1[0] = null;\n stringArray1[1] = \"\";\n stringArray1[2] = \"\";\n ReverseVowelsofaString.main(stringArray1);\n boolean boolean1 = ReverseVowelsofaString.isVowels('E');\n assertFalse(boolean1 == boolean0);\n assertTrue(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n String[] stringArray0 = new String[1];\n stringArray0[0] = \"\";\n ReverseVowelsofaString.main(stringArray0);\n String[] stringArray1 = new String[8];\n stringArray1[0] = \"\";\n stringArray1[1] = \"\";\n stringArray1[2] = \"\";\n stringArray1[3] = \"\";\n stringArray1[4] = \"\";\n stringArray1[5] = \"\";\n stringArray1[6] = \"\";\n stringArray1[7] = \"\";\n ReverseVowelsofaString.main(stringArray1);\n assertNotSame(stringArray1, stringArray0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n ReverseVowelsofaString.main((String[]) null);\n ReverseVowelsofaString.reverseVowels(\"~,=qx\");\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n ReverseVowelsofaString.reverseVowels(\"\");\n ReverseVowelsofaString.reverseVowels(\"%c/s_v`+x?n1HLi9{C\");\n ReverseVowelsofaString.main((String[]) null);\n ReverseVowelsofaString.reverseVowels(\"~,=qx\");\n ReverseVowelsofaString.main((String[]) null);\n ReverseVowelsofaString.main((String[]) null);\n ReverseVowelsofaString.isVowels('O');\n ReverseVowelsofaString.main((String[]) null);\n ReverseVowelsofaString.main((String[]) null);\n ReverseVowelsofaString.main((String[]) null);\n String[] stringArray0 = new String[2];\n stringArray0[0] = \"~,=qx\";\n stringArray0[1] = \"~,=qx\";\n ReverseVowelsofaString.main(stringArray0);\n assertEquals(2, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n ReverseVowelsofaString.isVowels('%');\n ReverseVowelsofaString.isVowels('%');\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n String string0 = ReverseVowelsofaString.reverseVowels(\"fd\");\n assertEquals(\"fd\", string0);\n \n boolean boolean0 = ReverseVowelsofaString.isVowels('%');\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n ReverseVowelsofaString reverseVowelsofaString0 = new ReverseVowelsofaString();\n String[] stringArray0 = new String[5];\n stringArray0[0] = \"XZ`\";\n stringArray0[1] = \"\";\n stringArray0[2] = \" ]cocEo|\u007f1( {\n\n @Override\n public String put(String key, String value) {\n return super.put(key.toLowerCase(), value);\n }\n\n // not @Override because that would require the key parameter to be of type Object\n public String get(String key) {\n return super.get(key.toLowerCase());\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CaseInsensitiveMap \n.super java/util/HashMap \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/util/HashMap ()V \nL4: return \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public put : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String; \nL5: aload_2 \nL6: invokespecial Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL9: checkcast java/lang/String \nL12: areturn \nL13: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public get : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String; \nL5: invokespecial Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object; \nL8: checkcast java/lang/String \nL11: areturn \nL12: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public bridge synthetic put : (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: checkcast java/lang/String \nL5: aload_2 \nL6: checkcast java/lang/String \nL9: invokevirtual Method CaseInsensitiveMap put (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL12: areturn \nL13: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n.signature Ljava/util/HashMap; \n.sourcefile 'CaseInsensitiveMap.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 04:25:31 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.shaded.org.mockito.Mockito.*;\nimport java.util.function.BiFunction;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.ViolatedAssumptionAnswer;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CaseInsensitiveMap_ESTest extends CaseInsensitiveMap_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CaseInsensitiveMap caseInsensitiveMap0 = new CaseInsensitiveMap();\n caseInsensitiveMap0.put(\"\", \"bwQ+\");\n String string0 = caseInsensitiveMap0.put(\"\", \"\");\n assertEquals(\"bwQ+\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n CaseInsensitiveMap caseInsensitiveMap0 = new CaseInsensitiveMap();\n caseInsensitiveMap0.put(\"\", \"\");\n String string0 = caseInsensitiveMap0.put(\"\", \"\");\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n CaseInsensitiveMap caseInsensitiveMap0 = new CaseInsensitiveMap();\n caseInsensitiveMap0.put(\"\", \"bwQ+\");\n String string0 = caseInsensitiveMap0.get(\"\");\n assertEquals(\"bwQ+\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n CaseInsensitiveMap caseInsensitiveMap0 = new CaseInsensitiveMap();\n BiFunction biFunction0 = (BiFunction) mock(BiFunction.class, new ViolatedAssumptionAnswer());\n caseInsensitiveMap0.merge(\"\", \"\", biFunction0);\n String string0 = caseInsensitiveMap0.get(\"\");\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n CaseInsensitiveMap caseInsensitiveMap0 = new CaseInsensitiveMap();\n String string0 = caseInsensitiveMap0.get(\"8&a|\");\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 04:25:31 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\nimport static org.evosuite.shaded.org.mockito.Mockito.*;\n@EvoSuiteClassExclude\npublic class CaseInsensitiveMap_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CaseInsensitiveMap\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n try { initMocksToAvoidTimeoutsInTheTests(); } catch(ClassNotFoundException e) {} \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp3xjtezs3\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CaseInsensitiveMap_ESTest_scaffolding.class.getClassLoader() ,\n \"CaseInsensitiveMap\"\n );\n } \n private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { \n mock(Class.forName(\"java.util.function.BiFunction\", false, CaseInsensitiveMap_ESTest_scaffolding.class.getClassLoader()));\n }\n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CaseInsensitiveMap_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CaseInsensitiveMap\"\n );\n }\n}\n", "class_idx": 138} {"class_name": "RestoreIPAddress", "java_source": "import java.util.ArrayList;\nimport java.util.List;\n\n/** \u8fd4\u56de\u6b63\u786e\u7684ip Created by guobing on 2016/6/27. */\npublic class RestoreIPAddress {\n\n public List restoreIpAddresses(String s) {\n List res = new ArrayList<>();\n int len = s.length();\n for (int i = 1; i < 4 && i < len - 2; i++) {\n for (int j = i + 1; j < i + 4 && j < len - 1; j++) {\n for (int k = j + 1; k < j + 4 && k < len; k++) {\n String s1 = s.substring(0, i);\n String s2 = s.substring(i, j);\n String s3 = s.substring(j, k);\n String s4 = s.substring(k, len);\n\n if (isValid(s1) && isValid(s2) && isValid(s3) && isValid(s4)) {\n res.add(s1 + \".\" + s2 + \".\" + s3 + \".\" + s4);\n }\n }\n }\n }\n return res;\n }\n\n public boolean isValid(String s) {\n if (s.length() > 3\n || s.length() == 0\n || (s.charAt(0) == '0' && s.length() > 1)\n || Integer.parseInt(s) > 255) return false;\n return true;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super RestoreIPAddress \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public restoreIpAddresses : (Ljava/lang/String;)Ljava/util/List; \n .code stack 3 locals 11 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_2 \nL8: aload_1 \nL9: invokevirtual Method java/lang/String length ()I \nL12: istore_3 \nL13: iconst_1 \nL14: istore 4 \n\n .stack append Object java/util/List Integer Integer \nL16: iload 4 \nL18: iconst_4 \nL19: if_icmpge L218 \nL22: iload 4 \nL24: iload_3 \nL25: iconst_2 \nL26: isub \nL27: if_icmpge L218 \nL30: iload 4 \nL32: iconst_1 \nL33: iadd \nL34: istore 5 \n\n .stack append Integer \nL36: iload 5 \nL38: iload 4 \nL40: iconst_4 \nL41: iadd \nL42: if_icmpge L212 \nL45: iload 5 \nL47: iload_3 \nL48: iconst_1 \nL49: isub \nL50: if_icmpge L212 \nL53: iload 5 \nL55: iconst_1 \nL56: iadd \nL57: istore 6 \n\n .stack append Integer \nL59: iload 6 \nL61: iload 5 \nL63: iconst_4 \nL64: iadd \nL65: if_icmpge L206 \nL68: iload 6 \nL70: iload_3 \nL71: if_icmpge L206 \nL74: aload_1 \nL75: iconst_0 \nL76: iload 4 \nL78: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL81: astore 7 \nL83: aload_1 \nL84: iload 4 \nL86: iload 5 \nL88: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL91: astore 8 \nL93: aload_1 \nL94: iload 5 \nL96: iload 6 \nL98: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL101: astore 9 \nL103: aload_1 \nL104: iload 6 \nL106: iload_3 \nL107: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL110: astore 10 \nL112: aload_0 \nL113: aload 7 \nL115: invokevirtual Method RestoreIPAddress isValid (Ljava/lang/String;)Z \nL118: ifeq L200 \nL121: aload_0 \nL122: aload 8 \nL124: invokevirtual Method RestoreIPAddress isValid (Ljava/lang/String;)Z \nL127: ifeq L200 \nL130: aload_0 \nL131: aload 9 \nL133: invokevirtual Method RestoreIPAddress isValid (Ljava/lang/String;)Z \nL136: ifeq L200 \nL139: aload_0 \nL140: aload 10 \nL142: invokevirtual Method RestoreIPAddress isValid (Ljava/lang/String;)Z \nL145: ifeq L200 \nL148: aload_2 \nL149: new java/lang/StringBuilder \nL152: dup \nL153: invokespecial Method java/lang/StringBuilder ()V \nL156: aload 7 \nL158: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL161: ldc '.' \nL163: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL166: aload 8 \nL168: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL171: ldc '.' \nL173: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL176: aload 9 \nL178: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL181: ldc '.' \nL183: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL186: aload 10 \nL188: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL191: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL194: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL199: pop \n\n .stack same_extended \nL200: iinc 6 1 \nL203: goto L59 \n\n .stack chop 1 \nL206: iinc 5 1 \nL209: goto L36 \n\n .stack chop 1 \nL212: iinc 4 1 \nL215: goto L16 \n\n .stack chop 1 \nL218: aload_2 \nL219: areturn \nL220: \n .linenumbertable \n L0 13 \n L8 14 \n L13 15 \n L30 16 \n L53 17 \n L74 18 \n L83 19 \n L93 20 \n L103 21 \n L112 23 \n L148 24 \n L200 17 \n L206 16 \n L212 15 \n L218 29 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;)Ljava/util/List; \n.end method \n\n.method public isValid : (Ljava/lang/String;)Z \n .code stack 2 locals 2 \nL0: aload_1 \nL1: invokevirtual Method java/lang/String length ()I \nL4: iconst_3 \nL5: if_icmpgt L43 \nL8: aload_1 \nL9: invokevirtual Method java/lang/String length ()I \nL12: ifeq L43 \nL15: aload_1 \nL16: iconst_0 \nL17: invokevirtual Method java/lang/String charAt (I)C \nL20: bipush 48 \nL22: if_icmpne L33 \nL25: aload_1 \nL26: invokevirtual Method java/lang/String length ()I \nL29: iconst_1 \nL30: if_icmpgt L43 \n\n .stack same \nL33: aload_1 \nL34: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL37: sipush 255 \nL40: if_icmple L45 \n\n .stack same \nL43: iconst_0 \nL44: ireturn \n\n .stack same \nL45: iconst_1 \nL46: ireturn \nL47: \n .linenumbertable \n L0 33 \n L43 34 \n L45 35 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'RestoreIPAddress.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:22:51 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class RestoreIPAddress_ESTest extends RestoreIPAddress_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n RestoreIPAddress restoreIPAddress0 = new RestoreIPAddress();\n String string0 = \"%/^|B+C\";\n // Undeclared exception!\n try { \n restoreIPAddress0.restoreIpAddresses(\"%/^|B+C\");\n fail(\"Expecting exception: NumberFormatException\");\n \n } catch(NumberFormatException e) {\n //\n // For input string: \\\"%\\\"\n //\n verifyException(\"java.lang.NumberFormatException\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n RestoreIPAddress restoreIPAddress0 = new RestoreIPAddress();\n restoreIPAddress0.restoreIpAddresses(\"\");\n restoreIPAddress0.restoreIpAddresses(\"\");\n String string0 = \"\u007f c:#SCl\";\n restoreIPAddress0.isValid(\"\u007f c:#SCl\");\n // Undeclared exception!\n try { \n restoreIPAddress0.restoreIpAddresses(\"RestoreIPAddress\");\n fail(\"Expecting exception: NumberFormatException\");\n \n } catch(NumberFormatException e) {\n //\n // For input string: \\\"R\\\"\n //\n verifyException(\"java.lang.NumberFormatException\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n RestoreIPAddress restoreIPAddress0 = new RestoreIPAddress();\n // Undeclared exception!\n try { \n restoreIPAddress0.restoreIpAddresses(\":\\\",Hti:y6Lq|1\");\n fail(\"Expecting exception: NumberFormatException\");\n \n } catch(NumberFormatException e) {\n //\n // For input string: \\\":\\\"\n //\n verifyException(\"java.lang.NumberFormatException\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n RestoreIPAddress restoreIPAddress0 = new RestoreIPAddress();\n // Undeclared exception!\n try { \n restoreIPAddress0.restoreIpAddresses(\"9xZJ\");\n fail(\"Expecting exception: NumberFormatException\");\n \n } catch(NumberFormatException e) {\n //\n // For input string: \\\"x\\\"\n //\n verifyException(\"java.lang.NumberFormatException\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:22:51 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class RestoreIPAddress_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"RestoreIPAddress\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpu_j16qso\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RestoreIPAddress_ESTest_scaffolding.class.getClassLoader() ,\n \"RestoreIPAddress\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RestoreIPAddress_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"RestoreIPAddress\"\n );\n }\n}\n", "class_idx": 139} {"class_name": "ConnectionClassHelper", "java_source": "/*\n * Copyright (C) July 2014 Rafael Aznar\n *\n * This program is free software; you can redistribute it and/or\n * modify it under the terms of the GNU General Public License\n * as published by the Free Software Foundation; either version 2\n * of the License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * You should have received a copy of the GNU General Public License\n * along with this program; if not, write to the Free Software\n * Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n */\n\npublic class ConnectionClassHelper {\n\n public static String getDatabaseName() {\n // return \"exam_serv_nov_2014\";\n return \"2014_servidor_nov_02\";\n }\n\n public static String getDatabaseLogin() {\n return \"root\";\n }\n\n public static String getDatabasePassword() {\n return \"bitnami\";\n }\n\n public static String getDatabasePort() {\n return \"3306\";\n }\n\n public static String getDatabaseHost() {\n return \"127.0.0.1\";\n }\n\n public static String getConnectionChain() {\n return \"jdbc:mysql://\"\n + ConnectionClassHelper.getDatabaseHost()\n + \":\"\n + ConnectionClassHelper.getDatabasePort()\n + \"/\"\n + ConnectionClassHelper.getDatabaseName();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ConnectionClassHelper \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getDatabaseName : ()Ljava/lang/String; \n .code stack 1 locals 0 \nL0: ldc '2014_servidor_nov_02' \nL2: areturn \nL3: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getDatabaseLogin : ()Ljava/lang/String; \n .code stack 1 locals 0 \nL0: ldc 'root' \nL2: areturn \nL3: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getDatabasePassword : ()Ljava/lang/String; \n .code stack 1 locals 0 \nL0: ldc 'bitnami' \nL2: areturn \nL3: \n .linenumbertable \n L0 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getDatabasePort : ()Ljava/lang/String; \n .code stack 1 locals 0 \nL0: ldc '3306' \nL2: areturn \nL3: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getDatabaseHost : ()Ljava/lang/String; \n .code stack 1 locals 0 \nL0: ldc '127.0.0.1' \nL2: areturn \nL3: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getConnectionChain : ()Ljava/lang/String; \n .code stack 2 locals 0 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'jdbc:mysql://' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: invokestatic Method ConnectionClassHelper getDatabaseHost ()Ljava/lang/String; \nL15: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL18: ldc ':' \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL23: invokestatic Method ConnectionClassHelper getDatabasePort ()Ljava/lang/String; \nL26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL29: ldc '/' \nL31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL34: invokestatic Method ConnectionClassHelper getDatabaseName ()Ljava/lang/String; \nL37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL43: areturn \nL44: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ConnectionClassHelper.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 02:07:11 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ConnectionClassHelper_ESTest extends ConnectionClassHelper_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String string0 = ConnectionClassHelper.getDatabaseName();\n assertEquals(\"2014_servidor_nov_02\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String string0 = ConnectionClassHelper.getDatabaseHost();\n assertEquals(\"127.0.0.1\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String string0 = ConnectionClassHelper.getDatabasePort();\n assertEquals(\"3306\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n String string0 = ConnectionClassHelper.getConnectionChain();\n assertEquals(\"jdbc:mysql://127.0.0.1:3306/2014_servidor_nov_02\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n ConnectionClassHelper connectionClassHelper0 = new ConnectionClassHelper();\n assertEquals(\"2014_servidor_nov_02\", connectionClassHelper0.getDatabaseName());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n String string0 = ConnectionClassHelper.getDatabaseLogin();\n assertEquals(\"root\", string0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n String string0 = ConnectionClassHelper.getDatabasePassword();\n assertEquals(\"bitnami\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 02:07:11 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ConnectionClassHelper_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ConnectionClassHelper\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmptkcnt7kj\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConnectionClassHelper_ESTest_scaffolding.class.getClassLoader() ,\n \"ConnectionClassHelper\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConnectionClassHelper_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ConnectionClassHelper\"\n );\n }\n}\n", "class_idx": 140} {"class_name": "Album", "java_source": "import java.util.ArrayList;\nimport java.util.List;\n\n/** Created by agonyice on 14-9-10. */\npublic class Album {\n private String bucketName;\n private List imagePathList = new ArrayList();\n private List selectedImagePathList = new ArrayList();\n\n public Album(String bucketName) {\n this.bucketName = bucketName;\n }\n\n public Album(String bucketName, List imagePathList) {\n this.bucketName = bucketName;\n this.imagePathList = imagePathList;\n }\n /*public void add(String imagePathList){\n \timagePathList.add(imagePathList);\n }*/\n}\n", "jasm_code": ".version 52 0 \n.class public super Album \n.super java/lang/Object \n.field private bucketName Ljava/lang/String; \n.field private imagePathList Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field private selectedImagePathList Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n\n.method public : (Ljava/lang/String;)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/ArrayList \nL8: dup \nL9: invokespecial Method java/util/ArrayList ()V \nL12: putfield Field Album imagePathList Ljava/util/List; \nL15: aload_0 \nL16: new java/util/ArrayList \nL19: dup \nL20: invokespecial Method java/util/ArrayList ()V \nL23: putfield Field Album selectedImagePathList Ljava/util/List; \nL26: aload_0 \nL27: aload_1 \nL28: putfield Field Album bucketName Ljava/lang/String; \nL31: return \nL32: \n .linenumbertable \n L0 13 \n L4 11 \n L15 12 \n L26 14 \n L31 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/util/List;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/ArrayList \nL8: dup \nL9: invokespecial Method java/util/ArrayList ()V \nL12: putfield Field Album imagePathList Ljava/util/List; \nL15: aload_0 \nL16: new java/util/ArrayList \nL19: dup \nL20: invokespecial Method java/util/ArrayList ()V \nL23: putfield Field Album selectedImagePathList Ljava/util/List; \nL26: aload_0 \nL27: aload_1 \nL28: putfield Field Album bucketName Ljava/lang/String; \nL31: aload_0 \nL32: aload_2 \nL33: putfield Field Album imagePathList Ljava/util/List; \nL36: return \nL37: \n .linenumbertable \n L0 16 \n L4 11 \n L15 12 \n L26 17 \n L31 18 \n L36 19 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;Ljava/util/List;)V \n.end method \n.sourcefile 'Album.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 14:23:58 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.LinkedList;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Album_ESTest extends Album_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Album album0 = new Album(\" linkedList0 = new LinkedList();\n Album album0 = new Album(\"\", linkedList0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 14:23:58 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Album_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Album\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp52m2m934\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Album_ESTest_scaffolding.class.getClassLoader() ,\n \"Album\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Album_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Album\"\n );\n }\n}\n", "class_idx": 141} {"class_name": "LongestDistinctKSubstring", "java_source": "import java.util.HashMap;\nimport java.util.Map;\n\n/**\n * Created by xuelin on 9/26/17. Given a string, find the length of the longest substring T that\n * contains at most k distinct characters.\n *\n *

For example, Given s = \u201ceceba\u201d and k = 2,\n *\n *

T is \"ece\" which its length is 3.\n *\n *

Solution: for each i, find longest k-substring starting from i. keep removing head char (may\n * be consecutive same chars), then find next end location. Use a set to track current chars in\n * substring. O(n)\n */\npublic class LongestDistinctKSubstring {\n public static int solve(String s, int k) {\n Map used = new HashMap<>();\n int i = 0;\n int n = s.length();\n int max = 0;\n int currBegin = 0;\n\n while (i < n) {\n char ch = s.charAt(i);\n Integer endIndex = used.get(ch);\n if (used.size() < k || endIndex != null) {\n used.put(ch, i);\n i++;\n } else {\n int currMax = i - currBegin;\n if (currMax > max) max = currMax;\n Map.Entry minEntry = null;\n for (Map.Entry entry : used.entrySet()) {\n if (minEntry == null || entry.getValue() < minEntry.getValue()) minEntry = entry;\n }\n currBegin = minEntry.getValue() + 1;\n used.remove(minEntry.getKey());\n }\n }\n return max;\n }\n\n public static void main(String[] args) {\n for (Object[] sAndK : new Object[][] {{\"eceba\", 2}}) {\n System.out.println(\n \"max k: \"\n + sAndK[1]\n + \" substring in \"\n + sAndK[0]\n + \" is: \"\n + solve((String) sAndK[0], (int) sAndK[1]));\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super LongestDistinctKSubstring \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public static solve : (Ljava/lang/String;I)I \n .code stack 3 locals 13 \nL0: new java/util/HashMap \nL3: dup \nL4: invokespecial Method java/util/HashMap ()V \nL7: astore_2 \nL8: iconst_0 \nL9: istore_3 \nL10: aload_0 \nL11: invokevirtual Method java/lang/String length ()I \nL14: istore 4 \nL16: iconst_0 \nL17: istore 5 \nL19: iconst_0 \nL20: istore 6 \n\n .stack full \n locals Object java/lang/String Integer Object java/util/Map Integer Integer Integer Integer \n stack \n .end stack \nL22: iload_3 \nL23: iload 4 \nL25: if_icmpge L218 \nL28: aload_0 \nL29: iload_3 \nL30: invokevirtual Method java/lang/String charAt (I)C \nL33: istore 7 \nL35: aload_2 \nL36: iload 7 \nL38: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; \nL41: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 \nL46: checkcast java/lang/Integer \nL49: astore 8 \nL51: aload_2 \nL52: invokeinterface InterfaceMethod java/util/Map size ()I 1 \nL57: iload_1 \nL58: if_icmplt L66 \nL61: aload 8 \nL63: ifnull L88 \n\n .stack append Integer Object java/lang/Integer \nL66: aload_2 \nL67: iload 7 \nL69: invokestatic Method java/lang/Character valueOf (C)Ljava/lang/Character; \nL72: iload_3 \nL73: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL76: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 \nL81: pop \nL82: iinc 3 1 \nL85: goto L215 \n\n .stack same \nL88: iload_3 \nL89: iload 6 \nL91: isub \nL92: istore 9 \nL94: iload 9 \nL96: iload 5 \nL98: if_icmple L105 \nL101: iload 9 \nL103: istore 5 \n\n .stack append Integer \nL105: aconst_null \nL106: astore 10 \nL108: aload_2 \nL109: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1 \nL114: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1 \nL119: astore 11 \n\n .stack append Object java/util/Map$Entry Object java/util/Iterator \nL121: aload 11 \nL123: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL128: ifeq L184 \nL131: aload 11 \nL133: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL138: checkcast java/util/Map$Entry \nL141: astore 12 \nL143: aload 10 \nL145: ifnull L177 \nL148: aload 12 \nL150: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 \nL155: checkcast java/lang/Integer \nL158: invokevirtual Method java/lang/Integer intValue ()I \nL161: aload 10 \nL163: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 \nL168: checkcast java/lang/Integer \nL171: invokevirtual Method java/lang/Integer intValue ()I \nL174: if_icmpge L181 \n\n .stack append Object java/util/Map$Entry \nL177: aload 12 \nL179: astore 10 \n\n .stack chop 1 \nL181: goto L121 \n\n .stack chop 1 \nL184: aload 10 \nL186: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 \nL191: checkcast java/lang/Integer \nL194: invokevirtual Method java/lang/Integer intValue ()I \nL197: iconst_1 \nL198: iadd \nL199: istore 6 \nL201: aload_2 \nL202: aload 10 \nL204: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 \nL209: invokeinterface InterfaceMethod java/util/Map remove (Ljava/lang/Object;)Ljava/lang/Object; 2 \nL214: pop \n\n .stack full \n locals Object java/lang/String Integer Object java/util/Map Integer Integer Integer Integer \n stack \n .end stack \nL215: goto L22 \n\n .stack same \nL218: iload 5 \nL220: ireturn \nL221: \n .linenumbertable \n L0 25 \n L8 26 \n L10 27 \n L16 28 \n L19 29 \n L22 31 \n L28 32 \n L35 33 \n L51 34 \n L66 35 \n L82 36 \n L88 39 \n L94 40 \n L101 41 \n L105 42 \n L108 43 \n L143 44 \n L177 45 \n L181 46 \n L184 47 \n L201 48 \n L215 50 \n L218 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 7 locals 5 \nL0: iconst_1 \nL1: anewarray [Ljava/lang/Object; \nL4: dup \nL5: iconst_0 \nL6: iconst_2 \nL7: anewarray java/lang/Object \nL10: dup \nL11: iconst_0 \nL12: ldc 'eceba' \nL14: aastore \nL15: dup \nL16: iconst_1 \nL17: iconst_2 \nL18: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL21: aastore \nL22: aastore \nL23: astore_1 \nL24: aload_1 \nL25: arraylength \nL26: istore_2 \nL27: iconst_0 \nL28: istore_3 \n\n .stack append Object [[Ljava/lang/Object; Integer Integer \nL29: iload_3 \nL30: iload_2 \nL31: if_icmpge L113 \nL34: aload_1 \nL35: iload_3 \nL36: aaload \nL37: astore 4 \nL39: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL42: new java/lang/StringBuilder \nL45: dup \nL46: invokespecial Method java/lang/StringBuilder ()V \nL49: ldc 'max k: ' \nL51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL54: aload 4 \nL56: iconst_1 \nL57: aaload \nL58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL61: ldc ' substring in ' \nL63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL66: aload 4 \nL68: iconst_0 \nL69: aaload \nL70: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL73: ldc ' is: ' \nL75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL78: aload 4 \nL80: iconst_0 \nL81: aaload \nL82: checkcast java/lang/String \nL85: aload 4 \nL87: iconst_1 \nL88: aaload \nL89: checkcast java/lang/Integer \nL92: invokevirtual Method java/lang/Integer intValue ()I \nL95: invokestatic Method LongestDistinctKSubstring solve (Ljava/lang/String;I)I \nL98: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL101: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL104: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL107: iinc 3 1 \nL110: goto L29 \n\n .stack chop 3 \nL113: return \nL114: \n .linenumbertable \n L0 56 \n L18 57 \n L24 56 \n L39 59 \n L107 56 \n L113 61 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'LongestDistinctKSubstring.java' \n.innerclasses \n java/util/Map$Entry java/util/Map Entry public static interface abstract \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:44:38 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class LongestDistinctKSubstring_ESTest extends LongestDistinctKSubstring_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n // Undeclared exception!\n try { \n LongestDistinctKSubstring.solve(\"BU~&\", (-19398));\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"LongestDistinctKSubstring\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[4];\n LongestDistinctKSubstring.main(stringArray0);\n LongestDistinctKSubstring.main(stringArray0);\n int int0 = LongestDistinctKSubstring.solve(\"l'+r9ORd[8I\\\"iv;\", 30823);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n int int0 = LongestDistinctKSubstring.solve(\"P-bk4=;\u007f0?\", 1);\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n int int0 = LongestDistinctKSubstring.solve(\"l'+r9ORd[8I\\\"iv;\", 30823);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n LongestDistinctKSubstring longestDistinctKSubstring0 = new LongestDistinctKSubstring();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:44:38 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class LongestDistinctKSubstring_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"LongestDistinctKSubstring\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp_xrgrgv8\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LongestDistinctKSubstring_ESTest_scaffolding.class.getClassLoader() ,\n \"LongestDistinctKSubstring\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LongestDistinctKSubstring_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"LongestDistinctKSubstring\"\n );\n }\n}\n", "class_idx": 142} {"class_name": "SerializedMBeanInfo", "java_source": "/*\n * Copyright (c) 2004, Oracle and/or its affiliates. All rights reserved.\n * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.\n *\n * This code is free software; you can redistribute it and/or modify it\n * under the terms of the GNU General Public License version 2 only, as\n * published by the Free Software Foundation.\n *\n * This code is distributed in the hope that it will be useful, but WITHOUT\n * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or\n * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License\n * version 2 for more details (a copy is included in the LICENSE file that\n * accompanied this code).\n *\n * You should have received a copy of the GNU General Public License version\n * 2 along with this work; if not, write to the Free Software Foundation,\n * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.\n *\n * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA\n * or visit www.oracle.com if you need additional information or have any\n * questions.\n */\n\n// Generated by NullInfoArraysTest - do not edit\n\npublic class SerializedMBeanInfo {\n public static final byte[][] serializedMBeanInfos = {\n {\n -84, -19, 0, 5, 115, 114, 0, 26, 106, 97, 118, 97, 120, 46, 109, 97, 110, 97, 103, 101, 109,\n 101, 110, 116, 46, 77, 66, 101, 97, 110, 73, 110, 102, 111, -90, 121, 94, 47, 8, 86, -119,\n -55, 2, 0, 6, 91, 0, 10, 97, 116, 116, 114, 105, 98, 117, 116, 101, 115, 116, 0, 38, 91, 76,\n 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77, 66, 101,\n 97, 110, 65, 116, 116, 114, 105, 98, 117, 116, 101, 73, 110, 102, 111, 59, 76, 0, 9, 99, 108,\n 97, 115, 115, 78, 97, 109, 101, 116, 0, 18, 76, 106, 97, 118, 97, 47, 108, 97, 110, 103, 47,\n 83, 116, 114, 105, 110, 103, 59, 91, 0, 12, 99, 111, 110, 115, 116, 114, 117, 99, 116, 111,\n 114, 115, 116, 0, 40, 91, 76, 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101,\n 110, 116, 47, 77, 66, 101, 97, 110, 67, 111, 110, 115, 116, 114, 117, 99, 116, 111, 114, 73,\n 110, 102, 111, 59, 76, 0, 11, 100, 101, 115, 99, 114, 105, 112, 116, 105, 111, 110, 113, 0,\n 126, 0, 2, 91, 0, 13, 110, 111, 116, 105, 102, 105, 99, 97, 116, 105, 111, 110, 115, 116, 0,\n 41, 91, 76, 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77,\n 66, 101, 97, 110, 78, 111, 116, 105, 102, 105, 99, 97, 116, 105, 111, 110, 73, 110, 102, 111,\n 59, 91, 0, 10, 111, 112, 101, 114, 97, 116, 105, 111, 110, 115, 116, 0, 38, 91, 76, 106, 97,\n 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77, 66, 101, 97, 110,\n 79, 112, 101, 114, 97, 116, 105, 111, 110, 73, 110, 102, 111, 59, 120, 112, 112, 112, 112,\n 112, 112, 112,\n },\n {\n -84, -19, 0, 5, 115, 114, 0, 49, 106, 97, 118, 97, 120, 46, 109, 97, 110, 97, 103, 101, 109,\n 101, 110, 116, 46, 109, 111, 100, 101, 108, 109, 98, 101, 97, 110, 46, 77, 111, 100, 101, 108,\n 77, 66, 101, 97, 110, 73, 110, 102, 111, 83, 117, 112, 112, 111, 114, 116, -27, 34, -18, -113,\n 66, 66, 78, -97, 3, 0, 5, 91, 0, 20, 109, 111, 100, 101, 108, 77, 66, 101, 97, 110, 65, 116,\n 116, 114, 105, 98, 117, 116, 101, 115, 116, 0, 38, 91, 76, 106, 97, 118, 97, 120, 47, 109, 97,\n 110, 97, 103, 101, 109, 101, 110, 116, 47, 77, 66, 101, 97, 110, 65, 116, 116, 114, 105, 98,\n 117, 116, 101, 73, 110, 102, 111, 59, 91, 0, 22, 109, 111, 100, 101, 108, 77, 66, 101, 97,\n 110, 67, 111, 110, 115, 116, 114, 117, 99, 116, 111, 114, 115, 116, 0, 40, 91, 76, 106, 97,\n 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77, 66, 101, 97, 110,\n 67, 111, 110, 115, 116, 114, 117, 99, 116, 111, 114, 73, 110, 102, 111, 59, 76, 0, 20, 109,\n 111, 100, 101, 108, 77, 66, 101, 97, 110, 68, 101, 115, 99, 114, 105, 112, 116, 111, 114, 116,\n 0, 29, 76, 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 68,\n 101, 115, 99, 114, 105, 112, 116, 111, 114, 59, 91, 0, 23, 109, 111, 100, 101, 108, 77, 66,\n 101, 97, 110, 78, 111, 116, 105, 102, 105, 99, 97, 116, 105, 111, 110, 115, 116, 0, 41, 91,\n 76, 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77, 66,\n 101, 97, 110, 78, 111, 116, 105, 102, 105, 99, 97, 116, 105, 111, 110, 73, 110, 102, 111, 59,\n 91, 0, 20, 109, 111, 100, 101, 108, 77, 66, 101, 97, 110, 79, 112, 101, 114, 97, 116, 105,\n 111, 110, 115, 116, 0, 38, 91, 76, 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109,\n 101, 110, 116, 47, 77, 66, 101, 97, 110, 79, 112, 101, 114, 97, 116, 105, 111, 110, 73, 110,\n 102, 111, 59, 120, 114, 0, 26, 106, 97, 118, 97, 120, 46, 109, 97, 110, 97, 103, 101, 109,\n 101, 110, 116, 46, 77, 66, 101, 97, 110, 73, 110, 102, 111, -90, 121, 94, 47, 8, 86, -119,\n -55, 2, 0, 6, 91, 0, 10, 97, 116, 116, 114, 105, 98, 117, 116, 101, 115, 113, 0, 126, 0, 1,\n 76, 0, 9, 99, 108, 97, 115, 115, 78, 97, 109, 101, 116, 0, 18, 76, 106, 97, 118, 97, 47, 108,\n 97, 110, 103, 47, 83, 116, 114, 105, 110, 103, 59, 91, 0, 12, 99, 111, 110, 115, 116, 114,\n 117, 99, 116, 111, 114, 115, 113, 0, 126, 0, 2, 76, 0, 11, 100, 101, 115, 99, 114, 105, 112,\n 116, 105, 111, 110, 113, 0, 126, 0, 7, 91, 0, 13, 110, 111, 116, 105, 102, 105, 99, 97, 116,\n 105, 111, 110, 115, 113, 0, 126, 0, 4, 91, 0, 10, 111, 112, 101, 114, 97, 116, 105, 111, 110,\n 115, 113, 0, 126, 0, 5, 120, 112, 112, 112, 112, 112, 112, 112, 112, 112, 115, 114, 0, 45,\n 106, 97, 118, 97, 120, 46, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 46, 109, 111, 100,\n 101, 108, 109, 98, 101, 97, 110, 46, 68, 101, 115, 99, 114, 105, 112, 116, 111, 114, 83, 117,\n 112, 112, 111, 114, 116, -88, -86, -31, -37, -95, -23, -32, 1, 3, 0, 1, 76, 0, 10, 100, 101,\n 115, 99, 114, 105, 112, 116, 111, 114, 116, 0, 19, 76, 106, 97, 118, 97, 47, 117, 116, 105,\n 108, 47, 72, 97, 115, 104, 77, 97, 112, 59, 120, 112, 115, 114, 0, 17, 106, 97, 118, 97, 46,\n 117, 116, 105, 108, 46, 72, 97, 115, 104, 77, 97, 112, 5, 7, -38, -63, -61, 22, 96, -47, 3, 0,\n 2, 70, 0, 10, 108, 111, 97, 100, 70, 97, 99, 116, 111, 114, 73, 0, 9, 116, 104, 114, 101, 115,\n 104, 111, 108, 100, 120, 112, 63, 64, 0, 0, 0, 0, 0, 12, 119, 8, 0, 0, 0, 16, 0, 0, 0, 7, 116,\n 0, 6, 101, 120, 112, 111, 114, 116, 116, 0, 1, 70, 116, 0, 3, 108, 111, 103, 116, 0, 1, 70,\n 116, 0, 10, 118, 105, 115, 105, 98, 105, 108, 105, 116, 121, 116, 0, 1, 49, 116, 0, 14, 100,\n 101, 115, 99, 114, 105, 112, 116, 111, 114, 116, 121, 112, 101, 116, 0, 5, 109, 98, 101, 97,\n 110, 116, 0, 4, 110, 97, 109, 101, 116, 0, 4, 110, 117, 108, 108, 116, 0, 11, 100, 105, 115,\n 112, 108, 97, 121, 110, 97, 109, 101, 116, 0, 4, 110, 117, 108, 108, 116, 0, 13, 112, 101,\n 114, 115, 105, 115, 116, 112, 111, 108, 105, 99, 121, 116, 0, 5, 110, 101, 118, 101, 114, 120,\n 120, 112, 112, 120,\n },\n {\n -84, -19, 0, 5, 115, 114, 0, 47, 106, 97, 118, 97, 120, 46, 109, 97, 110, 97, 103, 101, 109,\n 101, 110, 116, 46, 111, 112, 101, 110, 109, 98, 101, 97, 110, 46, 79, 112, 101, 110, 77, 66,\n 101, 97, 110, 73, 110, 102, 111, 83, 117, 112, 112, 111, 114, 116, 60, 92, 40, -113, 38, 68,\n 117, 4, 2, 0, 0, 120, 114, 0, 26, 106, 97, 118, 97, 120, 46, 109, 97, 110, 97, 103, 101, 109,\n 101, 110, 116, 46, 77, 66, 101, 97, 110, 73, 110, 102, 111, -90, 121, 94, 47, 8, 86, -119,\n -55, 2, 0, 6, 91, 0, 10, 97, 116, 116, 114, 105, 98, 117, 116, 101, 115, 116, 0, 38, 91, 76,\n 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77, 66, 101,\n 97, 110, 65, 116, 116, 114, 105, 98, 117, 116, 101, 73, 110, 102, 111, 59, 76, 0, 9, 99, 108,\n 97, 115, 115, 78, 97, 109, 101, 116, 0, 18, 76, 106, 97, 118, 97, 47, 108, 97, 110, 103, 47,\n 83, 116, 114, 105, 110, 103, 59, 91, 0, 12, 99, 111, 110, 115, 116, 114, 117, 99, 116, 111,\n 114, 115, 116, 0, 40, 91, 76, 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101,\n 110, 116, 47, 77, 66, 101, 97, 110, 67, 111, 110, 115, 116, 114, 117, 99, 116, 111, 114, 73,\n 110, 102, 111, 59, 76, 0, 11, 100, 101, 115, 99, 114, 105, 112, 116, 105, 111, 110, 113, 0,\n 126, 0, 3, 91, 0, 13, 110, 111, 116, 105, 102, 105, 99, 97, 116, 105, 111, 110, 115, 116, 0,\n 41, 91, 76, 106, 97, 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77,\n 66, 101, 97, 110, 78, 111, 116, 105, 102, 105, 99, 97, 116, 105, 111, 110, 73, 110, 102, 111,\n 59, 91, 0, 10, 111, 112, 101, 114, 97, 116, 105, 111, 110, 115, 116, 0, 38, 91, 76, 106, 97,\n 118, 97, 120, 47, 109, 97, 110, 97, 103, 101, 109, 101, 110, 116, 47, 77, 66, 101, 97, 110,\n 79, 112, 101, 114, 97, 116, 105, 111, 110, 73, 110, 102, 111, 59, 120, 112, 112, 112, 112,\n 112, 112, 112,\n },\n };\n}\n", "jasm_code": ".version 52 0 \n.class public super SerializedMBeanInfo \n.super java/lang/Object \n.field public static final serializedMBeanInfos [[B \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 26 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 7 locals 0 \nL0: iconst_3 \nL1: anewarray [B \nL4: dup \nL5: iconst_0 \nL6: sipush 331 \nL9: newarray byte \nL11: dup \nL12: iconst_0 \nL13: bipush -84 \nL15: bastore \nL16: dup \nL17: iconst_1 \nL18: bipush -19 \nL20: bastore \nL21: dup \nL22: iconst_2 \nL23: iconst_0 \nL24: bastore \nL25: dup \nL26: iconst_3 \nL27: iconst_5 \nL28: bastore \nL29: dup \nL30: iconst_4 \nL31: bipush 115 \nL33: bastore \nL34: dup \nL35: iconst_5 \nL36: bipush 114 \nL38: bastore \nL39: dup \nL40: bipush 6 \nL42: iconst_0 \nL43: bastore \nL44: dup \nL45: bipush 7 \nL47: bipush 26 \nL49: bastore \nL50: dup \nL51: bipush 8 \nL53: bipush 106 \nL55: bastore \nL56: dup \nL57: bipush 9 \nL59: bipush 97 \nL61: bastore \nL62: dup \nL63: bipush 10 \nL65: bipush 118 \nL67: bastore \nL68: dup \nL69: bipush 11 \nL71: bipush 97 \nL73: bastore \nL74: dup \nL75: bipush 12 \nL77: bipush 120 \nL79: bastore \nL80: dup \nL81: bipush 13 \nL83: bipush 46 \nL85: bastore \nL86: dup \nL87: bipush 14 \nL89: bipush 109 \nL91: bastore \nL92: dup \nL93: bipush 15 \nL95: bipush 97 \nL97: bastore \nL98: dup \nL99: bipush 16 \nL101: bipush 110 \nL103: bastore \nL104: dup \nL105: bipush 17 \nL107: bipush 97 \nL109: bastore \nL110: dup \nL111: bipush 18 \nL113: bipush 103 \nL115: bastore \nL116: dup \nL117: bipush 19 \nL119: bipush 101 \nL121: bastore \nL122: dup \nL123: bipush 20 \nL125: bipush 109 \nL127: bastore \nL128: dup \nL129: bipush 21 \nL131: bipush 101 \nL133: bastore \nL134: dup \nL135: bipush 22 \nL137: bipush 110 \nL139: bastore \nL140: dup \nL141: bipush 23 \nL143: bipush 116 \nL145: bastore \nL146: dup \nL147: bipush 24 \nL149: bipush 46 \nL151: bastore \nL152: dup \nL153: bipush 25 \nL155: bipush 77 \nL157: bastore \nL158: dup \nL159: bipush 26 \nL161: bipush 66 \nL163: bastore \nL164: dup \nL165: bipush 27 \nL167: bipush 101 \nL169: bastore \nL170: dup \nL171: bipush 28 \nL173: bipush 97 \nL175: bastore \nL176: dup \nL177: bipush 29 \nL179: bipush 110 \nL181: bastore \nL182: dup \nL183: bipush 30 \nL185: bipush 73 \nL187: bastore \nL188: dup \nL189: bipush 31 \nL191: bipush 110 \nL193: bastore \nL194: dup \nL195: bipush 32 \nL197: bipush 102 \nL199: bastore \nL200: dup \nL201: bipush 33 \nL203: bipush 111 \nL205: bastore \nL206: dup \nL207: bipush 34 \nL209: bipush -90 \nL211: bastore \nL212: dup \nL213: bipush 35 \nL215: bipush 121 \nL217: bastore \nL218: dup \nL219: bipush 36 \nL221: bipush 94 \nL223: bastore \nL224: dup \nL225: bipush 37 \nL227: bipush 47 \nL229: bastore \nL230: dup \nL231: bipush 38 \nL233: bipush 8 \nL235: bastore \nL236: dup \nL237: bipush 39 \nL239: bipush 86 \nL241: bastore \nL242: dup \nL243: bipush 40 \nL245: bipush -119 \nL247: bastore \nL248: dup \nL249: bipush 41 \nL251: bipush -55 \nL253: bastore \nL254: dup \nL255: bipush 42 \nL257: iconst_2 \nL258: bastore \nL259: dup \nL260: bipush 43 \nL262: iconst_0 \nL263: bastore \nL264: dup \nL265: bipush 44 \nL267: bipush 6 \nL269: bastore \nL270: dup \nL271: bipush 45 \nL273: bipush 91 \nL275: bastore \nL276: dup \nL277: bipush 46 \nL279: iconst_0 \nL280: bastore \nL281: dup \nL282: bipush 47 \nL284: bipush 10 \nL286: bastore \nL287: dup \nL288: bipush 48 \nL290: bipush 97 \nL292: bastore \nL293: dup \nL294: bipush 49 \nL296: bipush 116 \nL298: bastore \nL299: dup \nL300: bipush 50 \nL302: bipush 116 \nL304: bastore \nL305: dup \nL306: bipush 51 \nL308: bipush 114 \nL310: bastore \nL311: dup \nL312: bipush 52 \nL314: bipush 105 \nL316: bastore \nL317: dup \nL318: bipush 53 \nL320: bipush 98 \nL322: bastore \nL323: dup \nL324: bipush 54 \nL326: bipush 117 \nL328: bastore \nL329: dup \nL330: bipush 55 \nL332: bipush 116 \nL334: bastore \nL335: dup \nL336: bipush 56 \nL338: bipush 101 \nL340: bastore \nL341: dup \nL342: bipush 57 \nL344: bipush 115 \nL346: bastore \nL347: dup \nL348: bipush 58 \nL350: bipush 116 \nL352: bastore \nL353: dup \nL354: bipush 59 \nL356: iconst_0 \nL357: bastore \nL358: dup \nL359: bipush 60 \nL361: bipush 38 \nL363: bastore \nL364: dup \nL365: bipush 61 \nL367: bipush 91 \nL369: bastore \nL370: dup \nL371: bipush 62 \nL373: bipush 76 \nL375: bastore \nL376: dup \nL377: bipush 63 \nL379: bipush 106 \nL381: bastore \nL382: dup \nL383: bipush 64 \nL385: bipush 97 \nL387: bastore \nL388: dup \nL389: bipush 65 \nL391: bipush 118 \nL393: bastore \nL394: dup \nL395: bipush 66 \nL397: bipush 97 \nL399: bastore \nL400: dup \nL401: bipush 67 \nL403: bipush 120 \nL405: bastore \nL406: dup \nL407: bipush 68 \nL409: bipush 47 \nL411: bastore \nL412: dup \nL413: bipush 69 \nL415: bipush 109 \nL417: bastore \nL418: dup \nL419: bipush 70 \nL421: bipush 97 \nL423: bastore \nL424: dup \nL425: bipush 71 \nL427: bipush 110 \nL429: bastore \nL430: dup \nL431: bipush 72 \nL433: bipush 97 \nL435: bastore \nL436: dup \nL437: bipush 73 \nL439: bipush 103 \nL441: bastore \nL442: dup \nL443: bipush 74 \nL445: bipush 101 \nL447: bastore \nL448: dup \nL449: bipush 75 \nL451: bipush 109 \nL453: bastore \nL454: dup \nL455: bipush 76 \nL457: bipush 101 \nL459: bastore \nL460: dup \nL461: bipush 77 \nL463: bipush 110 \nL465: bastore \nL466: dup \nL467: bipush 78 \nL469: bipush 116 \nL471: bastore \nL472: dup \nL473: bipush 79 \nL475: bipush 47 \nL477: bastore \nL478: dup \nL479: bipush 80 \nL481: bipush 77 \nL483: bastore \nL484: dup \nL485: bipush 81 \nL487: bipush 66 \nL489: bastore \nL490: dup \nL491: bipush 82 \nL493: bipush 101 \nL495: bastore \nL496: dup \nL497: bipush 83 \nL499: bipush 97 \nL501: bastore \nL502: dup \nL503: bipush 84 \nL505: bipush 110 \nL507: bastore \nL508: dup \nL509: bipush 85 \nL511: bipush 65 \nL513: bastore \nL514: dup \nL515: bipush 86 \nL517: bipush 116 \nL519: bastore \nL520: dup \nL521: bipush 87 \nL523: bipush 116 \nL525: bastore \nL526: dup \nL527: bipush 88 \nL529: bipush 114 \nL531: bastore \nL532: dup \nL533: bipush 89 \nL535: bipush 105 \nL537: bastore \nL538: dup \nL539: bipush 90 \nL541: bipush 98 \nL543: bastore \nL544: dup \nL545: bipush 91 \nL547: bipush 117 \nL549: bastore \nL550: dup \nL551: bipush 92 \nL553: bipush 116 \nL555: bastore \nL556: dup \nL557: bipush 93 \nL559: bipush 101 \nL561: bastore \nL562: dup \nL563: bipush 94 \nL565: bipush 73 \nL567: bastore \nL568: dup \nL569: bipush 95 \nL571: bipush 110 \nL573: bastore \nL574: dup \nL575: bipush 96 \nL577: bipush 102 \nL579: bastore \nL580: dup \nL581: bipush 97 \nL583: bipush 111 \nL585: bastore \nL586: dup \nL587: bipush 98 \nL589: bipush 59 \nL591: bastore \nL592: dup \nL593: bipush 99 \nL595: bipush 76 \nL597: bastore \nL598: dup \nL599: bipush 100 \nL601: iconst_0 \nL602: bastore \nL603: dup \nL604: bipush 101 \nL606: bipush 9 \nL608: bastore \nL609: dup \nL610: bipush 102 \nL612: bipush 99 \nL614: bastore \nL615: dup \nL616: bipush 103 \nL618: bipush 108 \nL620: bastore \nL621: dup \nL622: bipush 104 \nL624: bipush 97 \nL626: bastore \nL627: dup \nL628: bipush 105 \nL630: bipush 115 \nL632: bastore \nL633: dup \nL634: bipush 106 \nL636: bipush 115 \nL638: bastore \nL639: dup \nL640: bipush 107 \nL642: bipush 78 \nL644: bastore \nL645: dup \nL646: bipush 108 \nL648: bipush 97 \nL650: bastore \nL651: dup \nL652: bipush 109 \nL654: bipush 109 \nL656: bastore \nL657: dup \nL658: bipush 110 \nL660: bipush 101 \nL662: bastore \nL663: dup \nL664: bipush 111 \nL666: bipush 116 \nL668: bastore \nL669: dup \nL670: bipush 112 \nL672: iconst_0 \nL673: bastore \nL674: dup \nL675: bipush 113 \nL677: bipush 18 \nL679: bastore \nL680: dup \nL681: bipush 114 \nL683: bipush 76 \nL685: bastore \nL686: dup \nL687: bipush 115 \nL689: bipush 106 \nL691: bastore \nL692: dup \nL693: bipush 116 \nL695: bipush 97 \nL697: bastore \nL698: dup \nL699: bipush 117 \nL701: bipush 118 \nL703: bastore \nL704: dup \nL705: bipush 118 \nL707: bipush 97 \nL709: bastore \nL710: dup \nL711: bipush 119 \nL713: bipush 47 \nL715: bastore \nL716: dup \nL717: bipush 120 \nL719: bipush 108 \nL721: bastore \nL722: dup \nL723: bipush 121 \nL725: bipush 97 \nL727: bastore \nL728: dup \nL729: bipush 122 \nL731: bipush 110 \nL733: bastore \nL734: dup \nL735: bipush 123 \nL737: bipush 103 \nL739: bastore \nL740: dup \nL741: bipush 124 \nL743: bipush 47 \nL745: bastore \nL746: dup \nL747: bipush 125 \nL749: bipush 83 \nL751: bastore \nL752: dup \nL753: bipush 126 \nL755: bipush 116 \nL757: bastore \nL758: dup \nL759: bipush 127 \nL761: bipush 114 \nL763: bastore \nL764: dup \nL765: sipush 128 \nL768: bipush 105 \nL770: bastore \nL771: dup \nL772: sipush 129 \nL775: bipush 110 \nL777: bastore \nL778: dup \nL779: sipush 130 \nL782: bipush 103 \nL784: bastore \nL785: dup \nL786: sipush 131 \nL789: bipush 59 \nL791: bastore \nL792: dup \nL793: sipush 132 \nL796: bipush 91 \nL798: bastore \nL799: dup \nL800: sipush 133 \nL803: iconst_0 \nL804: bastore \nL805: dup \nL806: sipush 134 \nL809: bipush 12 \nL811: bastore \nL812: dup \nL813: sipush 135 \nL816: bipush 99 \nL818: bastore \nL819: dup \nL820: sipush 136 \nL823: bipush 111 \nL825: bastore \nL826: dup \nL827: sipush 137 \nL830: bipush 110 \nL832: bastore \nL833: dup \nL834: sipush 138 \nL837: bipush 115 \nL839: bastore \nL840: dup \nL841: sipush 139 \nL844: bipush 116 \nL846: bastore \nL847: dup \nL848: sipush 140 \nL851: bipush 114 \nL853: bastore \nL854: dup \nL855: sipush 141 \nL858: bipush 117 \nL860: bastore \nL861: dup \nL862: sipush 142 \nL865: bipush 99 \nL867: bastore \nL868: dup \nL869: sipush 143 \nL872: bipush 116 \nL874: bastore \nL875: dup \nL876: sipush 144 \nL879: bipush 111 \nL881: bastore \nL882: dup \nL883: sipush 145 \nL886: bipush 114 \nL888: bastore \nL889: dup \nL890: sipush 146 \nL893: bipush 115 \nL895: bastore \nL896: dup \nL897: sipush 147 \nL900: bipush 116 \nL902: bastore \nL903: dup \nL904: sipush 148 \nL907: iconst_0 \nL908: bastore \nL909: dup \nL910: sipush 149 \nL913: bipush 40 \nL915: bastore \nL916: dup \nL917: sipush 150 \nL920: bipush 91 \nL922: bastore \nL923: dup \nL924: sipush 151 \nL927: bipush 76 \nL929: bastore \nL930: dup \nL931: sipush 152 \nL934: bipush 106 \nL936: bastore \nL937: dup \nL938: sipush 153 \nL941: bipush 97 \nL943: bastore \nL944: dup \nL945: sipush 154 \nL948: bipush 118 \nL950: bastore \nL951: dup \nL952: sipush 155 \nL955: bipush 97 \nL957: bastore \nL958: dup \nL959: sipush 156 \nL962: bipush 120 \nL964: bastore \nL965: dup \nL966: sipush 157 \nL969: bipush 47 \nL971: bastore \nL972: dup \nL973: sipush 158 \nL976: bipush 109 \nL978: bastore \nL979: dup \nL980: sipush 159 \nL983: bipush 97 \nL985: bastore \nL986: dup \nL987: sipush 160 \nL990: bipush 110 \nL992: bastore \nL993: dup \nL994: sipush 161 \nL997: bipush 97 \nL999: bastore \nL1000: dup \nL1001: sipush 162 \nL1004: bipush 103 \nL1006: bastore \nL1007: dup \nL1008: sipush 163 \nL1011: bipush 101 \nL1013: bastore \nL1014: dup \nL1015: sipush 164 \nL1018: bipush 109 \nL1020: bastore \nL1021: dup \nL1022: sipush 165 \nL1025: bipush 101 \nL1027: bastore \nL1028: dup \nL1029: sipush 166 \nL1032: bipush 110 \nL1034: bastore \nL1035: dup \nL1036: sipush 167 \nL1039: bipush 116 \nL1041: bastore \nL1042: dup \nL1043: sipush 168 \nL1046: bipush 47 \nL1048: bastore \nL1049: dup \nL1050: sipush 169 \nL1053: bipush 77 \nL1055: bastore \nL1056: dup \nL1057: sipush 170 \nL1060: bipush 66 \nL1062: bastore \nL1063: dup \nL1064: sipush 171 \nL1067: bipush 101 \nL1069: bastore \nL1070: dup \nL1071: sipush 172 \nL1074: bipush 97 \nL1076: bastore \nL1077: dup \nL1078: sipush 173 \nL1081: bipush 110 \nL1083: bastore \nL1084: dup \nL1085: sipush 174 \nL1088: bipush 67 \nL1090: bastore \nL1091: dup \nL1092: sipush 175 \nL1095: bipush 111 \nL1097: bastore \nL1098: dup \nL1099: sipush 176 \nL1102: bipush 110 \nL1104: bastore \nL1105: dup \nL1106: sipush 177 \nL1109: bipush 115 \nL1111: bastore \nL1112: dup \nL1113: sipush 178 \nL1116: bipush 116 \nL1118: bastore \nL1119: dup \nL1120: sipush 179 \nL1123: bipush 114 \nL1125: bastore \nL1126: dup \nL1127: sipush 180 \nL1130: bipush 117 \nL1132: bastore \nL1133: dup \nL1134: sipush 181 \nL1137: bipush 99 \nL1139: bastore \nL1140: dup \nL1141: sipush 182 \nL1144: bipush 116 \nL1146: bastore \nL1147: dup \nL1148: sipush 183 \nL1151: bipush 111 \nL1153: bastore \nL1154: dup \nL1155: sipush 184 \nL1158: bipush 114 \nL1160: bastore \nL1161: dup \nL1162: sipush 185 \nL1165: bipush 73 \nL1167: bastore \nL1168: dup \nL1169: sipush 186 \nL1172: bipush 110 \nL1174: bastore \nL1175: dup \nL1176: sipush 187 \nL1179: bipush 102 \nL1181: bastore \nL1182: dup \nL1183: sipush 188 \nL1186: bipush 111 \nL1188: bastore \nL1189: dup \nL1190: sipush 189 \nL1193: bipush 59 \nL1195: bastore \nL1196: dup \nL1197: sipush 190 \nL1200: bipush 76 \nL1202: bastore \nL1203: dup \nL1204: sipush 191 \nL1207: iconst_0 \nL1208: bastore \nL1209: dup \nL1210: sipush 192 \nL1213: bipush 11 \nL1215: bastore \nL1216: dup \nL1217: sipush 193 \nL1220: bipush 100 \nL1222: bastore \nL1223: dup \nL1224: sipush 194 \nL1227: bipush 101 \nL1229: bastore \nL1230: dup \nL1231: sipush 195 \nL1234: bipush 115 \nL1236: bastore \nL1237: dup \nL1238: sipush 196 \nL1241: bipush 99 \nL1243: bastore \nL1244: dup \nL1245: sipush 197 \nL1248: bipush 114 \nL1250: bastore \nL1251: dup \nL1252: sipush 198 \nL1255: bipush 105 \nL1257: bastore \nL1258: dup \nL1259: sipush 199 \nL1262: bipush 112 \nL1264: bastore \nL1265: dup \nL1266: sipush 200 \nL1269: bipush 116 \nL1271: bastore \nL1272: dup \nL1273: sipush 201 \nL1276: bipush 105 \nL1278: bastore \nL1279: dup \nL1280: sipush 202 \nL1283: bipush 111 \nL1285: bastore \nL1286: dup \nL1287: sipush 203 \nL1290: bipush 110 \nL1292: bastore \nL1293: dup \nL1294: sipush 204 \nL1297: bipush 113 \nL1299: bastore \nL1300: dup \nL1301: sipush 205 \nL1304: iconst_0 \nL1305: bastore \nL1306: dup \nL1307: sipush 206 \nL1310: bipush 126 \nL1312: bastore \nL1313: dup \nL1314: sipush 207 \nL1317: iconst_0 \nL1318: bastore \nL1319: dup \nL1320: sipush 208 \nL1323: iconst_2 \nL1324: bastore \nL1325: dup \nL1326: sipush 209 \nL1329: bipush 91 \nL1331: bastore \nL1332: dup \nL1333: sipush 210 \nL1336: iconst_0 \nL1337: bastore \nL1338: dup \nL1339: sipush 211 \nL1342: bipush 13 \nL1344: bastore \nL1345: dup \nL1346: sipush 212 \nL1349: bipush 110 \nL1351: bastore \nL1352: dup \nL1353: sipush 213 \nL1356: bipush 111 \nL1358: bastore \nL1359: dup \nL1360: sipush 214 \nL1363: bipush 116 \nL1365: bastore \nL1366: dup \nL1367: sipush 215 \nL1370: bipush 105 \nL1372: bastore \nL1373: dup \nL1374: sipush 216 \nL1377: bipush 102 \nL1379: bastore \nL1380: dup \nL1381: sipush 217 \nL1384: bipush 105 \nL1386: bastore \nL1387: dup \nL1388: sipush 218 \nL1391: bipush 99 \nL1393: bastore \nL1394: dup \nL1395: sipush 219 \nL1398: bipush 97 \nL1400: bastore \nL1401: dup \nL1402: sipush 220 \nL1405: bipush 116 \nL1407: bastore \nL1408: dup \nL1409: sipush 221 \nL1412: bipush 105 \nL1414: bastore \nL1415: dup \nL1416: sipush 222 \nL1419: bipush 111 \nL1421: bastore \nL1422: dup \nL1423: sipush 223 \nL1426: bipush 110 \nL1428: bastore \nL1429: dup \nL1430: sipush 224 \nL1433: bipush 115 \nL1435: bastore \nL1436: dup \nL1437: sipush 225 \nL1440: bipush 116 \nL1442: bastore \nL1443: dup \nL1444: sipush 226 \nL1447: iconst_0 \nL1448: bastore \nL1449: dup \nL1450: sipush 227 \nL1453: bipush 41 \nL1455: bastore \nL1456: dup \nL1457: sipush 228 \nL1460: bipush 91 \nL1462: bastore \nL1463: dup \nL1464: sipush 229 \nL1467: bipush 76 \nL1469: bastore \nL1470: dup \nL1471: sipush 230 \nL1474: bipush 106 \nL1476: bastore \nL1477: dup \nL1478: sipush 231 \nL1481: bipush 97 \nL1483: bastore \nL1484: dup \nL1485: sipush 232 \nL1488: bipush 118 \nL1490: bastore \nL1491: dup \nL1492: sipush 233 \nL1495: bipush 97 \nL1497: bastore \nL1498: dup \nL1499: sipush 234 \nL1502: bipush 120 \nL1504: bastore \nL1505: dup \nL1506: sipush 235 \nL1509: bipush 47 \nL1511: bastore \nL1512: dup \nL1513: sipush 236 \nL1516: bipush 109 \nL1518: bastore \nL1519: dup \nL1520: sipush 237 \nL1523: bipush 97 \nL1525: bastore \nL1526: dup \nL1527: sipush 238 \nL1530: bipush 110 \nL1532: bastore \nL1533: dup \nL1534: sipush 239 \nL1537: bipush 97 \nL1539: bastore \nL1540: dup \nL1541: sipush 240 \nL1544: bipush 103 \nL1546: bastore \nL1547: dup \nL1548: sipush 241 \nL1551: bipush 101 \nL1553: bastore \nL1554: dup \nL1555: sipush 242 \nL1558: bipush 109 \nL1560: bastore \nL1561: dup \nL1562: sipush 243 \nL1565: bipush 101 \nL1567: bastore \nL1568: dup \nL1569: sipush 244 \nL1572: bipush 110 \nL1574: bastore \nL1575: dup \nL1576: sipush 245 \nL1579: bipush 116 \nL1581: bastore \nL1582: dup \nL1583: sipush 246 \nL1586: bipush 47 \nL1588: bastore \nL1589: dup \nL1590: sipush 247 \nL1593: bipush 77 \nL1595: bastore \nL1596: dup \nL1597: sipush 248 \nL1600: bipush 66 \nL1602: bastore \nL1603: dup \nL1604: sipush 249 \nL1607: bipush 101 \nL1609: bastore \nL1610: dup \nL1611: sipush 250 \nL1614: bipush 97 \nL1616: bastore \nL1617: dup \nL1618: sipush 251 \nL1621: bipush 110 \nL1623: bastore \nL1624: dup \nL1625: sipush 252 \nL1628: bipush 78 \nL1630: bastore \nL1631: dup \nL1632: sipush 253 \nL1635: bipush 111 \nL1637: bastore \nL1638: dup \nL1639: sipush 254 \nL1642: bipush 116 \nL1644: bastore \nL1645: dup \nL1646: sipush 255 \nL1649: bipush 105 \nL1651: bastore \nL1652: dup \nL1653: sipush 256 \nL1656: bipush 102 \nL1658: bastore \nL1659: dup \nL1660: sipush 257 \nL1663: bipush 105 \nL1665: bastore \nL1666: dup \nL1667: sipush 258 \nL1670: bipush 99 \nL1672: bastore \nL1673: dup \nL1674: sipush 259 \nL1677: bipush 97 \nL1679: bastore \nL1680: dup \nL1681: sipush 260 \nL1684: bipush 116 \nL1686: bastore \nL1687: dup \nL1688: sipush 261 \nL1691: bipush 105 \nL1693: bastore \nL1694: dup \nL1695: sipush 262 \nL1698: bipush 111 \nL1700: bastore \nL1701: dup \nL1702: sipush 263 \nL1705: bipush 110 \nL1707: bastore \nL1708: dup \nL1709: sipush 264 \nL1712: bipush 73 \nL1714: bastore \nL1715: dup \nL1716: sipush 265 \nL1719: bipush 110 \nL1721: bastore \nL1722: dup \nL1723: sipush 266 \nL1726: bipush 102 \nL1728: bastore \nL1729: dup \nL1730: sipush 267 \nL1733: bipush 111 \nL1735: bastore \nL1736: dup \nL1737: sipush 268 \nL1740: bipush 59 \nL1742: bastore \nL1743: dup \nL1744: sipush 269 \nL1747: bipush 91 \nL1749: bastore \nL1750: dup \nL1751: sipush 270 \nL1754: iconst_0 \nL1755: bastore \nL1756: dup \nL1757: sipush 271 \nL1760: bipush 10 \nL1762: bastore \nL1763: dup \nL1764: sipush 272 \nL1767: bipush 111 \nL1769: bastore \nL1770: dup \nL1771: sipush 273 \nL1774: bipush 112 \nL1776: bastore \nL1777: dup \nL1778: sipush 274 \nL1781: bipush 101 \nL1783: bastore \nL1784: dup \nL1785: sipush 275 \nL1788: bipush 114 \nL1790: bastore \nL1791: dup \nL1792: sipush 276 \nL1795: bipush 97 \nL1797: bastore \nL1798: dup \nL1799: sipush 277 \nL1802: bipush 116 \nL1804: bastore \nL1805: dup \nL1806: sipush 278 \nL1809: bipush 105 \nL1811: bastore \nL1812: dup \nL1813: sipush 279 \nL1816: bipush 111 \nL1818: bastore \nL1819: dup \nL1820: sipush 280 \nL1823: bipush 110 \nL1825: bastore \nL1826: dup \nL1827: sipush 281 \nL1830: bipush 115 \nL1832: bastore \nL1833: dup \nL1834: sipush 282 \nL1837: bipush 116 \nL1839: bastore \nL1840: dup \nL1841: sipush 283 \nL1844: iconst_0 \nL1845: bastore \nL1846: dup \nL1847: sipush 284 \nL1850: bipush 38 \nL1852: bastore \nL1853: dup \nL1854: sipush 285 \nL1857: bipush 91 \nL1859: bastore \nL1860: dup \nL1861: sipush 286 \nL1864: bipush 76 \nL1866: bastore \nL1867: dup \nL1868: sipush 287 \nL1871: bipush 106 \nL1873: bastore \nL1874: dup \nL1875: sipush 288 \nL1878: bipush 97 \nL1880: bastore \nL1881: dup \nL1882: sipush 289 \nL1885: bipush 118 \nL1887: bastore \nL1888: dup \nL1889: sipush 290 \nL1892: bipush 97 \nL1894: bastore \nL1895: dup \nL1896: sipush 291 \nL1899: bipush 120 \nL1901: bastore \nL1902: dup \nL1903: sipush 292 \nL1906: bipush 47 \nL1908: bastore \nL1909: dup \nL1910: sipush 293 \nL1913: bipush 109 \nL1915: bastore \nL1916: dup \nL1917: sipush 294 \nL1920: bipush 97 \nL1922: bastore \nL1923: dup \nL1924: sipush 295 \nL1927: bipush 110 \nL1929: bastore \nL1930: dup \nL1931: sipush 296 \nL1934: bipush 97 \nL1936: bastore \nL1937: dup \nL1938: sipush 297 \nL1941: bipush 103 \nL1943: bastore \nL1944: dup \nL1945: sipush 298 \nL1948: bipush 101 \nL1950: bastore \nL1951: dup \nL1952: sipush 299 \nL1955: bipush 109 \nL1957: bastore \nL1958: dup \nL1959: sipush 300 \nL1962: bipush 101 \nL1964: bastore \nL1965: dup \nL1966: sipush 301 \nL1969: bipush 110 \nL1971: bastore \nL1972: dup \nL1973: sipush 302 \nL1976: bipush 116 \nL1978: bastore \nL1979: dup \nL1980: sipush 303 \nL1983: bipush 47 \nL1985: bastore \nL1986: dup \nL1987: sipush 304 \nL1990: bipush 77 \nL1992: bastore \nL1993: dup \nL1994: sipush 305 \nL1997: bipush 66 \nL1999: bastore \nL2000: dup \nL2001: sipush 306 \nL2004: bipush 101 \nL2006: bastore \nL2007: dup \nL2008: sipush 307 \nL2011: bipush 97 \nL2013: bastore \nL2014: dup \nL2015: sipush 308 \nL2018: bipush 110 \nL2020: bastore \nL2021: dup \nL2022: sipush 309 \nL2025: bipush 79 \nL2027: bastore \nL2028: dup \nL2029: sipush 310 \nL2032: bipush 112 \nL2034: bastore \nL2035: dup \nL2036: sipush 311 \nL2039: bipush 101 \nL2041: bastore \nL2042: dup \nL2043: sipush 312 \nL2046: bipush 114 \nL2048: bastore \nL2049: dup \nL2050: sipush 313 \nL2053: bipush 97 \nL2055: bastore \nL2056: dup \nL2057: sipush 314 \nL2060: bipush 116 \nL2062: bastore \nL2063: dup \nL2064: sipush 315 \nL2067: bipush 105 \nL2069: bastore \nL2070: dup \nL2071: sipush 316 \nL2074: bipush 111 \nL2076: bastore \nL2077: dup \nL2078: sipush 317 \nL2081: bipush 110 \nL2083: bastore \nL2084: dup \nL2085: sipush 318 \nL2088: bipush 73 \nL2090: bastore \nL2091: dup \nL2092: sipush 319 \nL2095: bipush 110 \nL2097: bastore \nL2098: dup \nL2099: sipush 320 \nL2102: bipush 102 \nL2104: bastore \nL2105: dup \nL2106: sipush 321 \nL2109: bipush 111 \nL2111: bastore \nL2112: dup \nL2113: sipush 322 \nL2116: bipush 59 \nL2118: bastore \nL2119: dup \nL2120: sipush 323 \nL2123: bipush 120 \nL2125: bastore \nL2126: dup \nL2127: sipush 324 \nL2130: bipush 112 \nL2132: bastore \nL2133: dup \nL2134: sipush 325 \nL2137: bipush 112 \nL2139: bastore \nL2140: dup \nL2141: sipush 326 \nL2144: bipush 112 \nL2146: bastore \nL2147: dup \nL2148: sipush 327 \nL2151: bipush 112 \nL2153: bastore \nL2154: dup \nL2155: sipush 328 \nL2158: bipush 112 \nL2160: bastore \nL2161: dup \nL2162: sipush 329 \nL2165: bipush 112 \nL2167: bastore \nL2168: dup \nL2169: sipush 330 \nL2172: bipush 112 \nL2174: bastore \nL2175: aastore \nL2176: dup \nL2177: iconst_1 \nL2178: sipush 872 \nL2181: newarray byte \nL2183: dup \nL2184: iconst_0 \nL2185: bipush -84 \nL2187: bastore \nL2188: dup \nL2189: iconst_1 \nL2190: bipush -19 \nL2192: bastore \nL2193: dup \nL2194: iconst_2 \nL2195: iconst_0 \nL2196: bastore \nL2197: dup \nL2198: iconst_3 \nL2199: iconst_5 \nL2200: bastore \nL2201: dup \nL2202: iconst_4 \nL2203: bipush 115 \nL2205: bastore \nL2206: dup \nL2207: iconst_5 \nL2208: bipush 114 \nL2210: bastore \nL2211: dup \nL2212: bipush 6 \nL2214: iconst_0 \nL2215: bastore \nL2216: dup \nL2217: bipush 7 \nL2219: bipush 49 \nL2221: bastore \nL2222: dup \nL2223: bipush 8 \nL2225: bipush 106 \nL2227: bastore \nL2228: dup \nL2229: bipush 9 \nL2231: bipush 97 \nL2233: bastore \nL2234: dup \nL2235: bipush 10 \nL2237: bipush 118 \nL2239: bastore \nL2240: dup \nL2241: bipush 11 \nL2243: bipush 97 \nL2245: bastore \nL2246: dup \nL2247: bipush 12 \nL2249: bipush 120 \nL2251: bastore \nL2252: dup \nL2253: bipush 13 \nL2255: bipush 46 \nL2257: bastore \nL2258: dup \nL2259: bipush 14 \nL2261: bipush 109 \nL2263: bastore \nL2264: dup \nL2265: bipush 15 \nL2267: bipush 97 \nL2269: bastore \nL2270: dup \nL2271: bipush 16 \nL2273: bipush 110 \nL2275: bastore \nL2276: dup \nL2277: bipush 17 \nL2279: bipush 97 \nL2281: bastore \nL2282: dup \nL2283: bipush 18 \nL2285: bipush 103 \nL2287: bastore \nL2288: dup \nL2289: bipush 19 \nL2291: bipush 101 \nL2293: bastore \nL2294: dup \nL2295: bipush 20 \nL2297: bipush 109 \nL2299: bastore \nL2300: dup \nL2301: bipush 21 \nL2303: bipush 101 \nL2305: bastore \nL2306: dup \nL2307: bipush 22 \nL2309: bipush 110 \nL2311: bastore \nL2312: dup \nL2313: bipush 23 \nL2315: bipush 116 \nL2317: bastore \nL2318: dup \nL2319: bipush 24 \nL2321: bipush 46 \nL2323: bastore \nL2324: dup \nL2325: bipush 25 \nL2327: bipush 109 \nL2329: bastore \nL2330: dup \nL2331: bipush 26 \nL2333: bipush 111 \nL2335: bastore \nL2336: dup \nL2337: bipush 27 \nL2339: bipush 100 \nL2341: bastore \nL2342: dup \nL2343: bipush 28 \nL2345: bipush 101 \nL2347: bastore \nL2348: dup \nL2349: bipush 29 \nL2351: bipush 108 \nL2353: bastore \nL2354: dup \nL2355: bipush 30 \nL2357: bipush 109 \nL2359: bastore \nL2360: dup \nL2361: bipush 31 \nL2363: bipush 98 \nL2365: bastore \nL2366: dup \nL2367: bipush 32 \nL2369: bipush 101 \nL2371: bastore \nL2372: dup \nL2373: bipush 33 \nL2375: bipush 97 \nL2377: bastore \nL2378: dup \nL2379: bipush 34 \nL2381: bipush 110 \nL2383: bastore \nL2384: dup \nL2385: bipush 35 \nL2387: bipush 46 \nL2389: bastore \nL2390: dup \nL2391: bipush 36 \nL2393: bipush 77 \nL2395: bastore \nL2396: dup \nL2397: bipush 37 \nL2399: bipush 111 \nL2401: bastore \nL2402: dup \nL2403: bipush 38 \nL2405: bipush 100 \nL2407: bastore \nL2408: dup \nL2409: bipush 39 \nL2411: bipush 101 \nL2413: bastore \nL2414: dup \nL2415: bipush 40 \nL2417: bipush 108 \nL2419: bastore \nL2420: dup \nL2421: bipush 41 \nL2423: bipush 77 \nL2425: bastore \nL2426: dup \nL2427: bipush 42 \nL2429: bipush 66 \nL2431: bastore \nL2432: dup \nL2433: bipush 43 \nL2435: bipush 101 \nL2437: bastore \nL2438: dup \nL2439: bipush 44 \nL2441: bipush 97 \nL2443: bastore \nL2444: dup \nL2445: bipush 45 \nL2447: bipush 110 \nL2449: bastore \nL2450: dup \nL2451: bipush 46 \nL2453: bipush 73 \nL2455: bastore \nL2456: dup \nL2457: bipush 47 \nL2459: bipush 110 \nL2461: bastore \nL2462: dup \nL2463: bipush 48 \nL2465: bipush 102 \nL2467: bastore \nL2468: dup \nL2469: bipush 49 \nL2471: bipush 111 \nL2473: bastore \nL2474: dup \nL2475: bipush 50 \nL2477: bipush 83 \nL2479: bastore \nL2480: dup \nL2481: bipush 51 \nL2483: bipush 117 \nL2485: bastore \nL2486: dup \nL2487: bipush 52 \nL2489: bipush 112 \nL2491: bastore \nL2492: dup \nL2493: bipush 53 \nL2495: bipush 112 \nL2497: bastore \nL2498: dup \nL2499: bipush 54 \nL2501: bipush 111 \nL2503: bastore \nL2504: dup \nL2505: bipush 55 \nL2507: bipush 114 \nL2509: bastore \nL2510: dup \nL2511: bipush 56 \nL2513: bipush 116 \nL2515: bastore \nL2516: dup \nL2517: bipush 57 \nL2519: bipush -27 \nL2521: bastore \nL2522: dup \nL2523: bipush 58 \nL2525: bipush 34 \nL2527: bastore \nL2528: dup \nL2529: bipush 59 \nL2531: bipush -18 \nL2533: bastore \nL2534: dup \nL2535: bipush 60 \nL2537: bipush -113 \nL2539: bastore \nL2540: dup \nL2541: bipush 61 \nL2543: bipush 66 \nL2545: bastore \nL2546: dup \nL2547: bipush 62 \nL2549: bipush 66 \nL2551: bastore \nL2552: dup \nL2553: bipush 63 \nL2555: bipush 78 \nL2557: bastore \nL2558: dup \nL2559: bipush 64 \nL2561: bipush -97 \nL2563: bastore \nL2564: dup \nL2565: bipush 65 \nL2567: iconst_3 \nL2568: bastore \nL2569: dup \nL2570: bipush 66 \nL2572: iconst_0 \nL2573: bastore \nL2574: dup \nL2575: bipush 67 \nL2577: iconst_5 \nL2578: bastore \nL2579: dup \nL2580: bipush 68 \nL2582: bipush 91 \nL2584: bastore \nL2585: dup \nL2586: bipush 69 \nL2588: iconst_0 \nL2589: bastore \nL2590: dup \nL2591: bipush 70 \nL2593: bipush 20 \nL2595: bastore \nL2596: dup \nL2597: bipush 71 \nL2599: bipush 109 \nL2601: bastore \nL2602: dup \nL2603: bipush 72 \nL2605: bipush 111 \nL2607: bastore \nL2608: dup \nL2609: bipush 73 \nL2611: bipush 100 \nL2613: bastore \nL2614: dup \nL2615: bipush 74 \nL2617: bipush 101 \nL2619: bastore \nL2620: dup \nL2621: bipush 75 \nL2623: bipush 108 \nL2625: bastore \nL2626: dup \nL2627: bipush 76 \nL2629: bipush 77 \nL2631: bastore \nL2632: dup \nL2633: bipush 77 \nL2635: bipush 66 \nL2637: bastore \nL2638: dup \nL2639: bipush 78 \nL2641: bipush 101 \nL2643: bastore \nL2644: dup \nL2645: bipush 79 \nL2647: bipush 97 \nL2649: bastore \nL2650: dup \nL2651: bipush 80 \nL2653: bipush 110 \nL2655: bastore \nL2656: dup \nL2657: bipush 81 \nL2659: bipush 65 \nL2661: bastore \nL2662: dup \nL2663: bipush 82 \nL2665: bipush 116 \nL2667: bastore \nL2668: dup \nL2669: bipush 83 \nL2671: bipush 116 \nL2673: bastore \nL2674: dup \nL2675: bipush 84 \nL2677: bipush 114 \nL2679: bastore \nL2680: dup \nL2681: bipush 85 \nL2683: bipush 105 \nL2685: bastore \nL2686: dup \nL2687: bipush 86 \nL2689: bipush 98 \nL2691: bastore \nL2692: dup \nL2693: bipush 87 \nL2695: bipush 117 \nL2697: bastore \nL2698: dup \nL2699: bipush 88 \nL2701: bipush 116 \nL2703: bastore \nL2704: dup \nL2705: bipush 89 \nL2707: bipush 101 \nL2709: bastore \nL2710: dup \nL2711: bipush 90 \nL2713: bipush 115 \nL2715: bastore \nL2716: dup \nL2717: bipush 91 \nL2719: bipush 116 \nL2721: bastore \nL2722: dup \nL2723: bipush 92 \nL2725: iconst_0 \nL2726: bastore \nL2727: dup \nL2728: bipush 93 \nL2730: bipush 38 \nL2732: bastore \nL2733: dup \nL2734: bipush 94 \nL2736: bipush 91 \nL2738: bastore \nL2739: dup \nL2740: bipush 95 \nL2742: bipush 76 \nL2744: bastore \nL2745: dup \nL2746: bipush 96 \nL2748: bipush 106 \nL2750: bastore \nL2751: dup \nL2752: bipush 97 \nL2754: bipush 97 \nL2756: bastore \nL2757: dup \nL2758: bipush 98 \nL2760: bipush 118 \nL2762: bastore \nL2763: dup \nL2764: bipush 99 \nL2766: bipush 97 \nL2768: bastore \nL2769: dup \nL2770: bipush 100 \nL2772: bipush 120 \nL2774: bastore \nL2775: dup \nL2776: bipush 101 \nL2778: bipush 47 \nL2780: bastore \nL2781: dup \nL2782: bipush 102 \nL2784: bipush 109 \nL2786: bastore \nL2787: dup \nL2788: bipush 103 \nL2790: bipush 97 \nL2792: bastore \nL2793: dup \nL2794: bipush 104 \nL2796: bipush 110 \nL2798: bastore \nL2799: dup \nL2800: bipush 105 \nL2802: bipush 97 \nL2804: bastore \nL2805: dup \nL2806: bipush 106 \nL2808: bipush 103 \nL2810: bastore \nL2811: dup \nL2812: bipush 107 \nL2814: bipush 101 \nL2816: bastore \nL2817: dup \nL2818: bipush 108 \nL2820: bipush 109 \nL2822: bastore \nL2823: dup \nL2824: bipush 109 \nL2826: bipush 101 \nL2828: bastore \nL2829: dup \nL2830: bipush 110 \nL2832: bipush 110 \nL2834: bastore \nL2835: dup \nL2836: bipush 111 \nL2838: bipush 116 \nL2840: bastore \nL2841: dup \nL2842: bipush 112 \nL2844: bipush 47 \nL2846: bastore \nL2847: dup \nL2848: bipush 113 \nL2850: bipush 77 \nL2852: bastore \nL2853: dup \nL2854: bipush 114 \nL2856: bipush 66 \nL2858: bastore \nL2859: dup \nL2860: bipush 115 \nL2862: bipush 101 \nL2864: bastore \nL2865: dup \nL2866: bipush 116 \nL2868: bipush 97 \nL2870: bastore \nL2871: dup \nL2872: bipush 117 \nL2874: bipush 110 \nL2876: bastore \nL2877: dup \nL2878: bipush 118 \nL2880: bipush 65 \nL2882: bastore \nL2883: dup \nL2884: bipush 119 \nL2886: bipush 116 \nL2888: bastore \nL2889: dup \nL2890: bipush 120 \nL2892: bipush 116 \nL2894: bastore \nL2895: dup \nL2896: bipush 121 \nL2898: bipush 114 \nL2900: bastore \nL2901: dup \nL2902: bipush 122 \nL2904: bipush 105 \nL2906: bastore \nL2907: dup \nL2908: bipush 123 \nL2910: bipush 98 \nL2912: bastore \nL2913: dup \nL2914: bipush 124 \nL2916: bipush 117 \nL2918: bastore \nL2919: dup \nL2920: bipush 125 \nL2922: bipush 116 \nL2924: bastore \nL2925: dup \nL2926: bipush 126 \nL2928: bipush 101 \nL2930: bastore \nL2931: dup \nL2932: bipush 127 \nL2934: bipush 73 \nL2936: bastore \nL2937: dup \nL2938: sipush 128 \nL2941: bipush 110 \nL2943: bastore \nL2944: dup \nL2945: sipush 129 \nL2948: bipush 102 \nL2950: bastore \nL2951: dup \nL2952: sipush 130 \nL2955: bipush 111 \nL2957: bastore \nL2958: dup \nL2959: sipush 131 \nL2962: bipush 59 \nL2964: bastore \nL2965: dup \nL2966: sipush 132 \nL2969: bipush 91 \nL2971: bastore \nL2972: dup \nL2973: sipush 133 \nL2976: iconst_0 \nL2977: bastore \nL2978: dup \nL2979: sipush 134 \nL2982: bipush 22 \nL2984: bastore \nL2985: dup \nL2986: sipush 135 \nL2989: bipush 109 \nL2991: bastore \nL2992: dup \nL2993: sipush 136 \nL2996: bipush 111 \nL2998: bastore \nL2999: dup \nL3000: sipush 137 \nL3003: bipush 100 \nL3005: bastore \nL3006: dup \nL3007: sipush 138 \nL3010: bipush 101 \nL3012: bastore \nL3013: dup \nL3014: sipush 139 \nL3017: bipush 108 \nL3019: bastore \nL3020: dup \nL3021: sipush 140 \nL3024: bipush 77 \nL3026: bastore \nL3027: dup \nL3028: sipush 141 \nL3031: bipush 66 \nL3033: bastore \nL3034: dup \nL3035: sipush 142 \nL3038: bipush 101 \nL3040: bastore \nL3041: dup \nL3042: sipush 143 \nL3045: bipush 97 \nL3047: bastore \nL3048: dup \nL3049: sipush 144 \nL3052: bipush 110 \nL3054: bastore \nL3055: dup \nL3056: sipush 145 \nL3059: bipush 67 \nL3061: bastore \nL3062: dup \nL3063: sipush 146 \nL3066: bipush 111 \nL3068: bastore \nL3069: dup \nL3070: sipush 147 \nL3073: bipush 110 \nL3075: bastore \nL3076: dup \nL3077: sipush 148 \nL3080: bipush 115 \nL3082: bastore \nL3083: dup \nL3084: sipush 149 \nL3087: bipush 116 \nL3089: bastore \nL3090: dup \nL3091: sipush 150 \nL3094: bipush 114 \nL3096: bastore \nL3097: dup \nL3098: sipush 151 \nL3101: bipush 117 \nL3103: bastore \nL3104: dup \nL3105: sipush 152 \nL3108: bipush 99 \nL3110: bastore \nL3111: dup \nL3112: sipush 153 \nL3115: bipush 116 \nL3117: bastore \nL3118: dup \nL3119: sipush 154 \nL3122: bipush 111 \nL3124: bastore \nL3125: dup \nL3126: sipush 155 \nL3129: bipush 114 \nL3131: bastore \nL3132: dup \nL3133: sipush 156 \nL3136: bipush 115 \nL3138: bastore \nL3139: dup \nL3140: sipush 157 \nL3143: bipush 116 \nL3145: bastore \nL3146: dup \nL3147: sipush 158 \nL3150: iconst_0 \nL3151: bastore \nL3152: dup \nL3153: sipush 159 \nL3156: bipush 40 \nL3158: bastore \nL3159: dup \nL3160: sipush 160 \nL3163: bipush 91 \nL3165: bastore \nL3166: dup \nL3167: sipush 161 \nL3170: bipush 76 \nL3172: bastore \nL3173: dup \nL3174: sipush 162 \nL3177: bipush 106 \nL3179: bastore \nL3180: dup \nL3181: sipush 163 \nL3184: bipush 97 \nL3186: bastore \nL3187: dup \nL3188: sipush 164 \nL3191: bipush 118 \nL3193: bastore \nL3194: dup \nL3195: sipush 165 \nL3198: bipush 97 \nL3200: bastore \nL3201: dup \nL3202: sipush 166 \nL3205: bipush 120 \nL3207: bastore \nL3208: dup \nL3209: sipush 167 \nL3212: bipush 47 \nL3214: bastore \nL3215: dup \nL3216: sipush 168 \nL3219: bipush 109 \nL3221: bastore \nL3222: dup \nL3223: sipush 169 \nL3226: bipush 97 \nL3228: bastore \nL3229: dup \nL3230: sipush 170 \nL3233: bipush 110 \nL3235: bastore \nL3236: dup \nL3237: sipush 171 \nL3240: bipush 97 \nL3242: bastore \nL3243: dup \nL3244: sipush 172 \nL3247: bipush 103 \nL3249: bastore \nL3250: dup \nL3251: sipush 173 \nL3254: bipush 101 \nL3256: bastore \nL3257: dup \nL3258: sipush 174 \nL3261: bipush 109 \nL3263: bastore \nL3264: dup \nL3265: sipush 175 \nL3268: bipush 101 \nL3270: bastore \nL3271: dup \nL3272: sipush 176 \nL3275: bipush 110 \nL3277: bastore \nL3278: dup \nL3279: sipush 177 \nL3282: bipush 116 \nL3284: bastore \nL3285: dup \nL3286: sipush 178 \nL3289: bipush 47 \nL3291: bastore \nL3292: dup \nL3293: sipush 179 \nL3296: bipush 77 \nL3298: bastore \nL3299: dup \nL3300: sipush 180 \nL3303: bipush 66 \nL3305: bastore \nL3306: dup \nL3307: sipush 181 \nL3310: bipush 101 \nL3312: bastore \nL3313: dup \nL3314: sipush 182 \nL3317: bipush 97 \nL3319: bastore \nL3320: dup \nL3321: sipush 183 \nL3324: bipush 110 \nL3326: bastore \nL3327: dup \nL3328: sipush 184 \nL3331: bipush 67 \nL3333: bastore \nL3334: dup \nL3335: sipush 185 \nL3338: bipush 111 \nL3340: bastore \nL3341: dup \nL3342: sipush 186 \nL3345: bipush 110 \nL3347: bastore \nL3348: dup \nL3349: sipush 187 \nL3352: bipush 115 \nL3354: bastore \nL3355: dup \nL3356: sipush 188 \nL3359: bipush 116 \nL3361: bastore \nL3362: dup \nL3363: sipush 189 \nL3366: bipush 114 \nL3368: bastore \nL3369: dup \nL3370: sipush 190 \nL3373: bipush 117 \nL3375: bastore \nL3376: dup \nL3377: sipush 191 \nL3380: bipush 99 \nL3382: bastore \nL3383: dup \nL3384: sipush 192 \nL3387: bipush 116 \nL3389: bastore \nL3390: dup \nL3391: sipush 193 \nL3394: bipush 111 \nL3396: bastore \nL3397: dup \nL3398: sipush 194 \nL3401: bipush 114 \nL3403: bastore \nL3404: dup \nL3405: sipush 195 \nL3408: bipush 73 \nL3410: bastore \nL3411: dup \nL3412: sipush 196 \nL3415: bipush 110 \nL3417: bastore \nL3418: dup \nL3419: sipush 197 \nL3422: bipush 102 \nL3424: bastore \nL3425: dup \nL3426: sipush 198 \nL3429: bipush 111 \nL3431: bastore \nL3432: dup \nL3433: sipush 199 \nL3436: bipush 59 \nL3438: bastore \nL3439: dup \nL3440: sipush 200 \nL3443: bipush 76 \nL3445: bastore \nL3446: dup \nL3447: sipush 201 \nL3450: iconst_0 \nL3451: bastore \nL3452: dup \nL3453: sipush 202 \nL3456: bipush 20 \nL3458: bastore \nL3459: dup \nL3460: sipush 203 \nL3463: bipush 109 \nL3465: bastore \nL3466: dup \nL3467: sipush 204 \nL3470: bipush 111 \nL3472: bastore \nL3473: dup \nL3474: sipush 205 \nL3477: bipush 100 \nL3479: bastore \nL3480: dup \nL3481: sipush 206 \nL3484: bipush 101 \nL3486: bastore \nL3487: dup \nL3488: sipush 207 \nL3491: bipush 108 \nL3493: bastore \nL3494: dup \nL3495: sipush 208 \nL3498: bipush 77 \nL3500: bastore \nL3501: dup \nL3502: sipush 209 \nL3505: bipush 66 \nL3507: bastore \nL3508: dup \nL3509: sipush 210 \nL3512: bipush 101 \nL3514: bastore \nL3515: dup \nL3516: sipush 211 \nL3519: bipush 97 \nL3521: bastore \nL3522: dup \nL3523: sipush 212 \nL3526: bipush 110 \nL3528: bastore \nL3529: dup \nL3530: sipush 213 \nL3533: bipush 68 \nL3535: bastore \nL3536: dup \nL3537: sipush 214 \nL3540: bipush 101 \nL3542: bastore \nL3543: dup \nL3544: sipush 215 \nL3547: bipush 115 \nL3549: bastore \nL3550: dup \nL3551: sipush 216 \nL3554: bipush 99 \nL3556: bastore \nL3557: dup \nL3558: sipush 217 \nL3561: bipush 114 \nL3563: bastore \nL3564: dup \nL3565: sipush 218 \nL3568: bipush 105 \nL3570: bastore \nL3571: dup \nL3572: sipush 219 \nL3575: bipush 112 \nL3577: bastore \nL3578: dup \nL3579: sipush 220 \nL3582: bipush 116 \nL3584: bastore \nL3585: dup \nL3586: sipush 221 \nL3589: bipush 111 \nL3591: bastore \nL3592: dup \nL3593: sipush 222 \nL3596: bipush 114 \nL3598: bastore \nL3599: dup \nL3600: sipush 223 \nL3603: bipush 116 \nL3605: bastore \nL3606: dup \nL3607: sipush 224 \nL3610: iconst_0 \nL3611: bastore \nL3612: dup \nL3613: sipush 225 \nL3616: bipush 29 \nL3618: bastore \nL3619: dup \nL3620: sipush 226 \nL3623: bipush 76 \nL3625: bastore \nL3626: dup \nL3627: sipush 227 \nL3630: bipush 106 \nL3632: bastore \nL3633: dup \nL3634: sipush 228 \nL3637: bipush 97 \nL3639: bastore \nL3640: dup \nL3641: sipush 229 \nL3644: bipush 118 \nL3646: bastore \nL3647: dup \nL3648: sipush 230 \nL3651: bipush 97 \nL3653: bastore \nL3654: dup \nL3655: sipush 231 \nL3658: bipush 120 \nL3660: bastore \nL3661: dup \nL3662: sipush 232 \nL3665: bipush 47 \nL3667: bastore \nL3668: dup \nL3669: sipush 233 \nL3672: bipush 109 \nL3674: bastore \nL3675: dup \nL3676: sipush 234 \nL3679: bipush 97 \nL3681: bastore \nL3682: dup \nL3683: sipush 235 \nL3686: bipush 110 \nL3688: bastore \nL3689: dup \nL3690: sipush 236 \nL3693: bipush 97 \nL3695: bastore \nL3696: dup \nL3697: sipush 237 \nL3700: bipush 103 \nL3702: bastore \nL3703: dup \nL3704: sipush 238 \nL3707: bipush 101 \nL3709: bastore \nL3710: dup \nL3711: sipush 239 \nL3714: bipush 109 \nL3716: bastore \nL3717: dup \nL3718: sipush 240 \nL3721: bipush 101 \nL3723: bastore \nL3724: dup \nL3725: sipush 241 \nL3728: bipush 110 \nL3730: bastore \nL3731: dup \nL3732: sipush 242 \nL3735: bipush 116 \nL3737: bastore \nL3738: dup \nL3739: sipush 243 \nL3742: bipush 47 \nL3744: bastore \nL3745: dup \nL3746: sipush 244 \nL3749: bipush 68 \nL3751: bastore \nL3752: dup \nL3753: sipush 245 \nL3756: bipush 101 \nL3758: bastore \nL3759: dup \nL3760: sipush 246 \nL3763: bipush 115 \nL3765: bastore \nL3766: dup \nL3767: sipush 247 \nL3770: bipush 99 \nL3772: bastore \nL3773: dup \nL3774: sipush 248 \nL3777: bipush 114 \nL3779: bastore \nL3780: dup \nL3781: sipush 249 \nL3784: bipush 105 \nL3786: bastore \nL3787: dup \nL3788: sipush 250 \nL3791: bipush 112 \nL3793: bastore \nL3794: dup \nL3795: sipush 251 \nL3798: bipush 116 \nL3800: bastore \nL3801: dup \nL3802: sipush 252 \nL3805: bipush 111 \nL3807: bastore \nL3808: dup \nL3809: sipush 253 \nL3812: bipush 114 \nL3814: bastore \nL3815: dup \nL3816: sipush 254 \nL3819: bipush 59 \nL3821: bastore \nL3822: dup \nL3823: sipush 255 \nL3826: bipush 91 \nL3828: bastore \nL3829: dup \nL3830: sipush 256 \nL3833: iconst_0 \nL3834: bastore \nL3835: dup \nL3836: sipush 257 \nL3839: bipush 23 \nL3841: bastore \nL3842: dup \nL3843: sipush 258 \nL3846: bipush 109 \nL3848: bastore \nL3849: dup \nL3850: sipush 259 \nL3853: bipush 111 \nL3855: bastore \nL3856: dup \nL3857: sipush 260 \nL3860: bipush 100 \nL3862: bastore \nL3863: dup \nL3864: sipush 261 \nL3867: bipush 101 \nL3869: bastore \nL3870: dup \nL3871: sipush 262 \nL3874: bipush 108 \nL3876: bastore \nL3877: dup \nL3878: sipush 263 \nL3881: bipush 77 \nL3883: bastore \nL3884: dup \nL3885: sipush 264 \nL3888: bipush 66 \nL3890: bastore \nL3891: dup \nL3892: sipush 265 \nL3895: bipush 101 \nL3897: bastore \nL3898: dup \nL3899: sipush 266 \nL3902: bipush 97 \nL3904: bastore \nL3905: dup \nL3906: sipush 267 \nL3909: bipush 110 \nL3911: bastore \nL3912: dup \nL3913: sipush 268 \nL3916: bipush 78 \nL3918: bastore \nL3919: dup \nL3920: sipush 269 \nL3923: bipush 111 \nL3925: bastore \nL3926: dup \nL3927: sipush 270 \nL3930: bipush 116 \nL3932: bastore \nL3933: dup \nL3934: sipush 271 \nL3937: bipush 105 \nL3939: bastore \nL3940: dup \nL3941: sipush 272 \nL3944: bipush 102 \nL3946: bastore \nL3947: dup \nL3948: sipush 273 \nL3951: bipush 105 \nL3953: bastore \nL3954: dup \nL3955: sipush 274 \nL3958: bipush 99 \nL3960: bastore \nL3961: dup \nL3962: sipush 275 \nL3965: bipush 97 \nL3967: bastore \nL3968: dup \nL3969: sipush 276 \nL3972: bipush 116 \nL3974: bastore \nL3975: dup \nL3976: sipush 277 \nL3979: bipush 105 \nL3981: bastore \nL3982: dup \nL3983: sipush 278 \nL3986: bipush 111 \nL3988: bastore \nL3989: dup \nL3990: sipush 279 \nL3993: bipush 110 \nL3995: bastore \nL3996: dup \nL3997: sipush 280 \nL4000: bipush 115 \nL4002: bastore \nL4003: dup \nL4004: sipush 281 \nL4007: bipush 116 \nL4009: bastore \nL4010: dup \nL4011: sipush 282 \nL4014: iconst_0 \nL4015: bastore \nL4016: dup \nL4017: sipush 283 \nL4020: bipush 41 \nL4022: bastore \nL4023: dup \nL4024: sipush 284 \nL4027: bipush 91 \nL4029: bastore \nL4030: dup \nL4031: sipush 285 \nL4034: bipush 76 \nL4036: bastore \nL4037: dup \nL4038: sipush 286 \nL4041: bipush 106 \nL4043: bastore \nL4044: dup \nL4045: sipush 287 \nL4048: bipush 97 \nL4050: bastore \nL4051: dup \nL4052: sipush 288 \nL4055: bipush 118 \nL4057: bastore \nL4058: dup \nL4059: sipush 289 \nL4062: bipush 97 \nL4064: bastore \nL4065: dup \nL4066: sipush 290 \nL4069: bipush 120 \nL4071: bastore \nL4072: dup \nL4073: sipush 291 \nL4076: bipush 47 \nL4078: bastore \nL4079: dup \nL4080: sipush 292 \nL4083: bipush 109 \nL4085: bastore \nL4086: dup \nL4087: sipush 293 \nL4090: bipush 97 \nL4092: bastore \nL4093: dup \nL4094: sipush 294 \nL4097: bipush 110 \nL4099: bastore \nL4100: dup \nL4101: sipush 295 \nL4104: bipush 97 \nL4106: bastore \nL4107: dup \nL4108: sipush 296 \nL4111: bipush 103 \nL4113: bastore \nL4114: dup \nL4115: sipush 297 \nL4118: bipush 101 \nL4120: bastore \nL4121: dup \nL4122: sipush 298 \nL4125: bipush 109 \nL4127: bastore \nL4128: dup \nL4129: sipush 299 \nL4132: bipush 101 \nL4134: bastore \nL4135: dup \nL4136: sipush 300 \nL4139: bipush 110 \nL4141: bastore \nL4142: dup \nL4143: sipush 301 \nL4146: bipush 116 \nL4148: bastore \nL4149: dup \nL4150: sipush 302 \nL4153: bipush 47 \nL4155: bastore \nL4156: dup \nL4157: sipush 303 \nL4160: bipush 77 \nL4162: bastore \nL4163: dup \nL4164: sipush 304 \nL4167: bipush 66 \nL4169: bastore \nL4170: dup \nL4171: sipush 305 \nL4174: bipush 101 \nL4176: bastore \nL4177: dup \nL4178: sipush 306 \nL4181: bipush 97 \nL4183: bastore \nL4184: dup \nL4185: sipush 307 \nL4188: bipush 110 \nL4190: bastore \nL4191: dup \nL4192: sipush 308 \nL4195: bipush 78 \nL4197: bastore \nL4198: dup \nL4199: sipush 309 \nL4202: bipush 111 \nL4204: bastore \nL4205: dup \nL4206: sipush 310 \nL4209: bipush 116 \nL4211: bastore \nL4212: dup \nL4213: sipush 311 \nL4216: bipush 105 \nL4218: bastore \nL4219: dup \nL4220: sipush 312 \nL4223: bipush 102 \nL4225: bastore \nL4226: dup \nL4227: sipush 313 \nL4230: bipush 105 \nL4232: bastore \nL4233: dup \nL4234: sipush 314 \nL4237: bipush 99 \nL4239: bastore \nL4240: dup \nL4241: sipush 315 \nL4244: bipush 97 \nL4246: bastore \nL4247: dup \nL4248: sipush 316 \nL4251: bipush 116 \nL4253: bastore \nL4254: dup \nL4255: sipush 317 \nL4258: bipush 105 \nL4260: bastore \nL4261: dup \nL4262: sipush 318 \nL4265: bipush 111 \nL4267: bastore \nL4268: dup \nL4269: sipush 319 \nL4272: bipush 110 \nL4274: bastore \nL4275: dup \nL4276: sipush 320 \nL4279: bipush 73 \nL4281: bastore \nL4282: dup \nL4283: sipush 321 \nL4286: bipush 110 \nL4288: bastore \nL4289: dup \nL4290: sipush 322 \nL4293: bipush 102 \nL4295: bastore \nL4296: dup \nL4297: sipush 323 \nL4300: bipush 111 \nL4302: bastore \nL4303: dup \nL4304: sipush 324 \nL4307: bipush 59 \nL4309: bastore \nL4310: dup \nL4311: sipush 325 \nL4314: bipush 91 \nL4316: bastore \nL4317: dup \nL4318: sipush 326 \nL4321: iconst_0 \nL4322: bastore \nL4323: dup \nL4324: sipush 327 \nL4327: bipush 20 \nL4329: bastore \nL4330: dup \nL4331: sipush 328 \nL4334: bipush 109 \nL4336: bastore \nL4337: dup \nL4338: sipush 329 \nL4341: bipush 111 \nL4343: bastore \nL4344: dup \nL4345: sipush 330 \nL4348: bipush 100 \nL4350: bastore \nL4351: dup \nL4352: sipush 331 \nL4355: bipush 101 \nL4357: bastore \nL4358: dup \nL4359: sipush 332 \nL4362: bipush 108 \nL4364: bastore \nL4365: dup \nL4366: sipush 333 \nL4369: bipush 77 \nL4371: bastore \nL4372: dup \nL4373: sipush 334 \nL4376: bipush 66 \nL4378: bastore \nL4379: dup \nL4380: sipush 335 \nL4383: bipush 101 \nL4385: bastore \nL4386: dup \nL4387: sipush 336 \nL4390: bipush 97 \nL4392: bastore \nL4393: dup \nL4394: sipush 337 \nL4397: bipush 110 \nL4399: bastore \nL4400: dup \nL4401: sipush 338 \nL4404: bipush 79 \nL4406: bastore \nL4407: dup \nL4408: sipush 339 \nL4411: bipush 112 \nL4413: bastore \nL4414: dup \nL4415: sipush 340 \nL4418: bipush 101 \nL4420: bastore \nL4421: dup \nL4422: sipush 341 \nL4425: bipush 114 \nL4427: bastore \nL4428: dup \nL4429: sipush 342 \nL4432: bipush 97 \nL4434: bastore \nL4435: dup \nL4436: sipush 343 \nL4439: bipush 116 \nL4441: bastore \nL4442: dup \nL4443: sipush 344 \nL4446: bipush 105 \nL4448: bastore \nL4449: dup \nL4450: sipush 345 \nL4453: bipush 111 \nL4455: bastore \nL4456: dup \nL4457: sipush 346 \nL4460: bipush 110 \nL4462: bastore \nL4463: dup \nL4464: sipush 347 \nL4467: bipush 115 \nL4469: bastore \nL4470: dup \nL4471: sipush 348 \nL4474: bipush 116 \nL4476: bastore \nL4477: dup \nL4478: sipush 349 \nL4481: iconst_0 \nL4482: bastore \nL4483: dup \nL4484: sipush 350 \nL4487: bipush 38 \nL4489: bastore \nL4490: dup \nL4491: sipush 351 \nL4494: bipush 91 \nL4496: bastore \nL4497: dup \nL4498: sipush 352 \nL4501: bipush 76 \nL4503: bastore \nL4504: dup \nL4505: sipush 353 \nL4508: bipush 106 \nL4510: bastore \nL4511: dup \nL4512: sipush 354 \nL4515: bipush 97 \nL4517: bastore \nL4518: dup \nL4519: sipush 355 \nL4522: bipush 118 \nL4524: bastore \nL4525: dup \nL4526: sipush 356 \nL4529: bipush 97 \nL4531: bastore \nL4532: dup \nL4533: sipush 357 \nL4536: bipush 120 \nL4538: bastore \nL4539: dup \nL4540: sipush 358 \nL4543: bipush 47 \nL4545: bastore \nL4546: dup \nL4547: sipush 359 \nL4550: bipush 109 \nL4552: bastore \nL4553: dup \nL4554: sipush 360 \nL4557: bipush 97 \nL4559: bastore \nL4560: dup \nL4561: sipush 361 \nL4564: bipush 110 \nL4566: bastore \nL4567: dup \nL4568: sipush 362 \nL4571: bipush 97 \nL4573: bastore \nL4574: dup \nL4575: sipush 363 \nL4578: bipush 103 \nL4580: bastore \nL4581: dup \nL4582: sipush 364 \nL4585: bipush 101 \nL4587: bastore \nL4588: dup \nL4589: sipush 365 \nL4592: bipush 109 \nL4594: bastore \nL4595: dup \nL4596: sipush 366 \nL4599: bipush 101 \nL4601: bastore \nL4602: dup \nL4603: sipush 367 \nL4606: bipush 110 \nL4608: bastore \nL4609: dup \nL4610: sipush 368 \nL4613: bipush 116 \nL4615: bastore \nL4616: dup \nL4617: sipush 369 \nL4620: bipush 47 \nL4622: bastore \nL4623: dup \nL4624: sipush 370 \nL4627: bipush 77 \nL4629: bastore \nL4630: dup \nL4631: sipush 371 \nL4634: bipush 66 \nL4636: bastore \nL4637: dup \nL4638: sipush 372 \nL4641: bipush 101 \nL4643: bastore \nL4644: dup \nL4645: sipush 373 \nL4648: bipush 97 \nL4650: bastore \nL4651: dup \nL4652: sipush 374 \nL4655: bipush 110 \nL4657: bastore \nL4658: dup \nL4659: sipush 375 \nL4662: bipush 79 \nL4664: bastore \nL4665: dup \nL4666: sipush 376 \nL4669: bipush 112 \nL4671: bastore \nL4672: dup \nL4673: sipush 377 \nL4676: bipush 101 \nL4678: bastore \nL4679: dup \nL4680: sipush 378 \nL4683: bipush 114 \nL4685: bastore \nL4686: dup \nL4687: sipush 379 \nL4690: bipush 97 \nL4692: bastore \nL4693: dup \nL4694: sipush 380 \nL4697: bipush 116 \nL4699: bastore \nL4700: dup \nL4701: sipush 381 \nL4704: bipush 105 \nL4706: bastore \nL4707: dup \nL4708: sipush 382 \nL4711: bipush 111 \nL4713: bastore \nL4714: dup \nL4715: sipush 383 \nL4718: bipush 110 \nL4720: bastore \nL4721: dup \nL4722: sipush 384 \nL4725: bipush 73 \nL4727: bastore \nL4728: dup \nL4729: sipush 385 \nL4732: bipush 110 \nL4734: bastore \nL4735: dup \nL4736: sipush 386 \nL4739: bipush 102 \nL4741: bastore \nL4742: dup \nL4743: sipush 387 \nL4746: bipush 111 \nL4748: bastore \nL4749: dup \nL4750: sipush 388 \nL4753: bipush 59 \nL4755: bastore \nL4756: dup \nL4757: sipush 389 \nL4760: bipush 120 \nL4762: bastore \nL4763: dup \nL4764: sipush 390 \nL4767: bipush 114 \nL4769: bastore \nL4770: dup \nL4771: sipush 391 \nL4774: iconst_0 \nL4775: bastore \nL4776: dup \nL4777: sipush 392 \nL4780: bipush 26 \nL4782: bastore \nL4783: dup \nL4784: sipush 393 \nL4787: bipush 106 \nL4789: bastore \nL4790: dup \nL4791: sipush 394 \nL4794: bipush 97 \nL4796: bastore \nL4797: dup \nL4798: sipush 395 \nL4801: bipush 118 \nL4803: bastore \nL4804: dup \nL4805: sipush 396 \nL4808: bipush 97 \nL4810: bastore \nL4811: dup \nL4812: sipush 397 \nL4815: bipush 120 \nL4817: bastore \nL4818: dup \nL4819: sipush 398 \nL4822: bipush 46 \nL4824: bastore \nL4825: dup \nL4826: sipush 399 \nL4829: bipush 109 \nL4831: bastore \nL4832: dup \nL4833: sipush 400 \nL4836: bipush 97 \nL4838: bastore \nL4839: dup \nL4840: sipush 401 \nL4843: bipush 110 \nL4845: bastore \nL4846: dup \nL4847: sipush 402 \nL4850: bipush 97 \nL4852: bastore \nL4853: dup \nL4854: sipush 403 \nL4857: bipush 103 \nL4859: bastore \nL4860: dup \nL4861: sipush 404 \nL4864: bipush 101 \nL4866: bastore \nL4867: dup \nL4868: sipush 405 \nL4871: bipush 109 \nL4873: bastore \nL4874: dup \nL4875: sipush 406 \nL4878: bipush 101 \nL4880: bastore \nL4881: dup \nL4882: sipush 407 \nL4885: bipush 110 \nL4887: bastore \nL4888: dup \nL4889: sipush 408 \nL4892: bipush 116 \nL4894: bastore \nL4895: dup \nL4896: sipush 409 \nL4899: bipush 46 \nL4901: bastore \nL4902: dup \nL4903: sipush 410 \nL4906: bipush 77 \nL4908: bastore \nL4909: dup \nL4910: sipush 411 \nL4913: bipush 66 \nL4915: bastore \nL4916: dup \nL4917: sipush 412 \nL4920: bipush 101 \nL4922: bastore \nL4923: dup \nL4924: sipush 413 \nL4927: bipush 97 \nL4929: bastore \nL4930: dup \nL4931: sipush 414 \nL4934: bipush 110 \nL4936: bastore \nL4937: dup \nL4938: sipush 415 \nL4941: bipush 73 \nL4943: bastore \nL4944: dup \nL4945: sipush 416 \nL4948: bipush 110 \nL4950: bastore \nL4951: dup \nL4952: sipush 417 \nL4955: bipush 102 \nL4957: bastore \nL4958: dup \nL4959: sipush 418 \nL4962: bipush 111 \nL4964: bastore \nL4965: dup \nL4966: sipush 419 \nL4969: bipush -90 \nL4971: bastore \nL4972: dup \nL4973: sipush 420 \nL4976: bipush 121 \nL4978: bastore \nL4979: dup \nL4980: sipush 421 \nL4983: bipush 94 \nL4985: bastore \nL4986: dup \nL4987: sipush 422 \nL4990: bipush 47 \nL4992: bastore \nL4993: dup \nL4994: sipush 423 \nL4997: bipush 8 \nL4999: bastore \nL5000: dup \nL5001: sipush 424 \nL5004: bipush 86 \nL5006: bastore \nL5007: dup \nL5008: sipush 425 \nL5011: bipush -119 \nL5013: bastore \nL5014: dup \nL5015: sipush 426 \nL5018: bipush -55 \nL5020: bastore \nL5021: dup \nL5022: sipush 427 \nL5025: iconst_2 \nL5026: bastore \nL5027: dup \nL5028: sipush 428 \nL5031: iconst_0 \nL5032: bastore \nL5033: dup \nL5034: sipush 429 \nL5037: bipush 6 \nL5039: bastore \nL5040: dup \nL5041: sipush 430 \nL5044: bipush 91 \nL5046: bastore \nL5047: dup \nL5048: sipush 431 \nL5051: iconst_0 \nL5052: bastore \nL5053: dup \nL5054: sipush 432 \nL5057: bipush 10 \nL5059: bastore \nL5060: dup \nL5061: sipush 433 \nL5064: bipush 97 \nL5066: bastore \nL5067: dup \nL5068: sipush 434 \nL5071: bipush 116 \nL5073: bastore \nL5074: dup \nL5075: sipush 435 \nL5078: bipush 116 \nL5080: bastore \nL5081: dup \nL5082: sipush 436 \nL5085: bipush 114 \nL5087: bastore \nL5088: dup \nL5089: sipush 437 \nL5092: bipush 105 \nL5094: bastore \nL5095: dup \nL5096: sipush 438 \nL5099: bipush 98 \nL5101: bastore \nL5102: dup \nL5103: sipush 439 \nL5106: bipush 117 \nL5108: bastore \nL5109: dup \nL5110: sipush 440 \nL5113: bipush 116 \nL5115: bastore \nL5116: dup \nL5117: sipush 441 \nL5120: bipush 101 \nL5122: bastore \nL5123: dup \nL5124: sipush 442 \nL5127: bipush 115 \nL5129: bastore \nL5130: dup \nL5131: sipush 443 \nL5134: bipush 113 \nL5136: bastore \nL5137: dup \nL5138: sipush 444 \nL5141: iconst_0 \nL5142: bastore \nL5143: dup \nL5144: sipush 445 \nL5147: bipush 126 \nL5149: bastore \nL5150: dup \nL5151: sipush 446 \nL5154: iconst_0 \nL5155: bastore \nL5156: dup \nL5157: sipush 447 \nL5160: iconst_1 \nL5161: bastore \nL5162: dup \nL5163: sipush 448 \nL5166: bipush 76 \nL5168: bastore \nL5169: dup \nL5170: sipush 449 \nL5173: iconst_0 \nL5174: bastore \nL5175: dup \nL5176: sipush 450 \nL5179: bipush 9 \nL5181: bastore \nL5182: dup \nL5183: sipush 451 \nL5186: bipush 99 \nL5188: bastore \nL5189: dup \nL5190: sipush 452 \nL5193: bipush 108 \nL5195: bastore \nL5196: dup \nL5197: sipush 453 \nL5200: bipush 97 \nL5202: bastore \nL5203: dup \nL5204: sipush 454 \nL5207: bipush 115 \nL5209: bastore \nL5210: dup \nL5211: sipush 455 \nL5214: bipush 115 \nL5216: bastore \nL5217: dup \nL5218: sipush 456 \nL5221: bipush 78 \nL5223: bastore \nL5224: dup \nL5225: sipush 457 \nL5228: bipush 97 \nL5230: bastore \nL5231: dup \nL5232: sipush 458 \nL5235: bipush 109 \nL5237: bastore \nL5238: dup \nL5239: sipush 459 \nL5242: bipush 101 \nL5244: bastore \nL5245: dup \nL5246: sipush 460 \nL5249: bipush 116 \nL5251: bastore \nL5252: dup \nL5253: sipush 461 \nL5256: iconst_0 \nL5257: bastore \nL5258: dup \nL5259: sipush 462 \nL5262: bipush 18 \nL5264: bastore \nL5265: dup \nL5266: sipush 463 \nL5269: bipush 76 \nL5271: bastore \nL5272: dup \nL5273: sipush 464 \nL5276: bipush 106 \nL5278: bastore \nL5279: dup \nL5280: sipush 465 \nL5283: bipush 97 \nL5285: bastore \nL5286: dup \nL5287: sipush 466 \nL5290: bipush 118 \nL5292: bastore \nL5293: dup \nL5294: sipush 467 \nL5297: bipush 97 \nL5299: bastore \nL5300: dup \nL5301: sipush 468 \nL5304: bipush 47 \nL5306: bastore \nL5307: dup \nL5308: sipush 469 \nL5311: bipush 108 \nL5313: bastore \nL5314: dup \nL5315: sipush 470 \nL5318: bipush 97 \nL5320: bastore \nL5321: dup \nL5322: sipush 471 \nL5325: bipush 110 \nL5327: bastore \nL5328: dup \nL5329: sipush 472 \nL5332: bipush 103 \nL5334: bastore \nL5335: dup \nL5336: sipush 473 \nL5339: bipush 47 \nL5341: bastore \nL5342: dup \nL5343: sipush 474 \nL5346: bipush 83 \nL5348: bastore \nL5349: dup \nL5350: sipush 475 \nL5353: bipush 116 \nL5355: bastore \nL5356: dup \nL5357: sipush 476 \nL5360: bipush 114 \nL5362: bastore \nL5363: dup \nL5364: sipush 477 \nL5367: bipush 105 \nL5369: bastore \nL5370: dup \nL5371: sipush 478 \nL5374: bipush 110 \nL5376: bastore \nL5377: dup \nL5378: sipush 479 \nL5381: bipush 103 \nL5383: bastore \nL5384: dup \nL5385: sipush 480 \nL5388: bipush 59 \nL5390: bastore \nL5391: dup \nL5392: sipush 481 \nL5395: bipush 91 \nL5397: bastore \nL5398: dup \nL5399: sipush 482 \nL5402: iconst_0 \nL5403: bastore \nL5404: dup \nL5405: sipush 483 \nL5408: bipush 12 \nL5410: bastore \nL5411: dup \nL5412: sipush 484 \nL5415: bipush 99 \nL5417: bastore \nL5418: dup \nL5419: sipush 485 \nL5422: bipush 111 \nL5424: bastore \nL5425: dup \nL5426: sipush 486 \nL5429: bipush 110 \nL5431: bastore \nL5432: dup \nL5433: sipush 487 \nL5436: bipush 115 \nL5438: bastore \nL5439: dup \nL5440: sipush 488 \nL5443: bipush 116 \nL5445: bastore \nL5446: dup \nL5447: sipush 489 \nL5450: bipush 114 \nL5452: bastore \nL5453: dup \nL5454: sipush 490 \nL5457: bipush 117 \nL5459: bastore \nL5460: dup \nL5461: sipush 491 \nL5464: bipush 99 \nL5466: bastore \nL5467: dup \nL5468: sipush 492 \nL5471: bipush 116 \nL5473: bastore \nL5474: dup \nL5475: sipush 493 \nL5478: bipush 111 \nL5480: bastore \nL5481: dup \nL5482: sipush 494 \nL5485: bipush 114 \nL5487: bastore \nL5488: dup \nL5489: sipush 495 \nL5492: bipush 115 \nL5494: bastore \nL5495: dup \nL5496: sipush 496 \nL5499: bipush 113 \nL5501: bastore \nL5502: dup \nL5503: sipush 497 \nL5506: iconst_0 \nL5507: bastore \nL5508: dup \nL5509: sipush 498 \nL5512: bipush 126 \nL5514: bastore \nL5515: dup \nL5516: sipush 499 \nL5519: iconst_0 \nL5520: bastore \nL5521: dup \nL5522: sipush 500 \nL5525: iconst_2 \nL5526: bastore \nL5527: dup \nL5528: sipush 501 \nL5531: bipush 76 \nL5533: bastore \nL5534: dup \nL5535: sipush 502 \nL5538: iconst_0 \nL5539: bastore \nL5540: dup \nL5541: sipush 503 \nL5544: bipush 11 \nL5546: bastore \nL5547: dup \nL5548: sipush 504 \nL5551: bipush 100 \nL5553: bastore \nL5554: dup \nL5555: sipush 505 \nL5558: bipush 101 \nL5560: bastore \nL5561: dup \nL5562: sipush 506 \nL5565: bipush 115 \nL5567: bastore \nL5568: dup \nL5569: sipush 507 \nL5572: bipush 99 \nL5574: bastore \nL5575: dup \nL5576: sipush 508 \nL5579: bipush 114 \nL5581: bastore \nL5582: dup \nL5583: sipush 509 \nL5586: bipush 105 \nL5588: bastore \nL5589: dup \nL5590: sipush 510 \nL5593: bipush 112 \nL5595: bastore \nL5596: dup \nL5597: sipush 511 \nL5600: bipush 116 \nL5602: bastore \nL5603: dup \nL5604: sipush 512 \nL5607: bipush 105 \nL5609: bastore \nL5610: dup \nL5611: sipush 513 \nL5614: bipush 111 \nL5616: bastore \nL5617: dup \nL5618: sipush 514 \nL5621: bipush 110 \nL5623: bastore \nL5624: dup \nL5625: sipush 515 \nL5628: bipush 113 \nL5630: bastore \nL5631: dup \nL5632: sipush 516 \nL5635: iconst_0 \nL5636: bastore \nL5637: dup \nL5638: sipush 517 \nL5641: bipush 126 \nL5643: bastore \nL5644: dup \nL5645: sipush 518 \nL5648: iconst_0 \nL5649: bastore \nL5650: dup \nL5651: sipush 519 \nL5654: bipush 7 \nL5656: bastore \nL5657: dup \nL5658: sipush 520 \nL5661: bipush 91 \nL5663: bastore \nL5664: dup \nL5665: sipush 521 \nL5668: iconst_0 \nL5669: bastore \nL5670: dup \nL5671: sipush 522 \nL5674: bipush 13 \nL5676: bastore \nL5677: dup \nL5678: sipush 523 \nL5681: bipush 110 \nL5683: bastore \nL5684: dup \nL5685: sipush 524 \nL5688: bipush 111 \nL5690: bastore \nL5691: dup \nL5692: sipush 525 \nL5695: bipush 116 \nL5697: bastore \nL5698: dup \nL5699: sipush 526 \nL5702: bipush 105 \nL5704: bastore \nL5705: dup \nL5706: sipush 527 \nL5709: bipush 102 \nL5711: bastore \nL5712: dup \nL5713: sipush 528 \nL5716: bipush 105 \nL5718: bastore \nL5719: dup \nL5720: sipush 529 \nL5723: bipush 99 \nL5725: bastore \nL5726: dup \nL5727: sipush 530 \nL5730: bipush 97 \nL5732: bastore \nL5733: dup \nL5734: sipush 531 \nL5737: bipush 116 \nL5739: bastore \nL5740: dup \nL5741: sipush 532 \nL5744: bipush 105 \nL5746: bastore \nL5747: dup \nL5748: sipush 533 \nL5751: bipush 111 \nL5753: bastore \nL5754: dup \nL5755: sipush 534 \nL5758: bipush 110 \nL5760: bastore \nL5761: dup \nL5762: sipush 535 \nL5765: bipush 115 \nL5767: bastore \nL5768: dup \nL5769: sipush 536 \nL5772: bipush 113 \nL5774: bastore \nL5775: dup \nL5776: sipush 537 \nL5779: iconst_0 \nL5780: bastore \nL5781: dup \nL5782: sipush 538 \nL5785: bipush 126 \nL5787: bastore \nL5788: dup \nL5789: sipush 539 \nL5792: iconst_0 \nL5793: bastore \nL5794: dup \nL5795: sipush 540 \nL5798: iconst_4 \nL5799: bastore \nL5800: dup \nL5801: sipush 541 \nL5804: bipush 91 \nL5806: bastore \nL5807: dup \nL5808: sipush 542 \nL5811: iconst_0 \nL5812: bastore \nL5813: dup \nL5814: sipush 543 \nL5817: bipush 10 \nL5819: bastore \nL5820: dup \nL5821: sipush 544 \nL5824: bipush 111 \nL5826: bastore \nL5827: dup \nL5828: sipush 545 \nL5831: bipush 112 \nL5833: bastore \nL5834: dup \nL5835: sipush 546 \nL5838: bipush 101 \nL5840: bastore \nL5841: dup \nL5842: sipush 547 \nL5845: bipush 114 \nL5847: bastore \nL5848: dup \nL5849: sipush 548 \nL5852: bipush 97 \nL5854: bastore \nL5855: dup \nL5856: sipush 549 \nL5859: bipush 116 \nL5861: bastore \nL5862: dup \nL5863: sipush 550 \nL5866: bipush 105 \nL5868: bastore \nL5869: dup \nL5870: sipush 551 \nL5873: bipush 111 \nL5875: bastore \nL5876: dup \nL5877: sipush 552 \nL5880: bipush 110 \nL5882: bastore \nL5883: dup \nL5884: sipush 553 \nL5887: bipush 115 \nL5889: bastore \nL5890: dup \nL5891: sipush 554 \nL5894: bipush 113 \nL5896: bastore \nL5897: dup \nL5898: sipush 555 \nL5901: iconst_0 \nL5902: bastore \nL5903: dup \nL5904: sipush 556 \nL5907: bipush 126 \nL5909: bastore \nL5910: dup \nL5911: sipush 557 \nL5914: iconst_0 \nL5915: bastore \nL5916: dup \nL5917: sipush 558 \nL5920: iconst_5 \nL5921: bastore \nL5922: dup \nL5923: sipush 559 \nL5926: bipush 120 \nL5928: bastore \nL5929: dup \nL5930: sipush 560 \nL5933: bipush 112 \nL5935: bastore \nL5936: dup \nL5937: sipush 561 \nL5940: bipush 112 \nL5942: bastore \nL5943: dup \nL5944: sipush 562 \nL5947: bipush 112 \nL5949: bastore \nL5950: dup \nL5951: sipush 563 \nL5954: bipush 112 \nL5956: bastore \nL5957: dup \nL5958: sipush 564 \nL5961: bipush 112 \nL5963: bastore \nL5964: dup \nL5965: sipush 565 \nL5968: bipush 112 \nL5970: bastore \nL5971: dup \nL5972: sipush 566 \nL5975: bipush 112 \nL5977: bastore \nL5978: dup \nL5979: sipush 567 \nL5982: bipush 112 \nL5984: bastore \nL5985: dup \nL5986: sipush 568 \nL5989: bipush 112 \nL5991: bastore \nL5992: dup \nL5993: sipush 569 \nL5996: bipush 115 \nL5998: bastore \nL5999: dup \nL6000: sipush 570 \nL6003: bipush 114 \nL6005: bastore \nL6006: dup \nL6007: sipush 571 \nL6010: iconst_0 \nL6011: bastore \nL6012: dup \nL6013: sipush 572 \nL6016: bipush 45 \nL6018: bastore \nL6019: dup \nL6020: sipush 573 \nL6023: bipush 106 \nL6025: bastore \nL6026: dup \nL6027: sipush 574 \nL6030: bipush 97 \nL6032: bastore \nL6033: dup \nL6034: sipush 575 \nL6037: bipush 118 \nL6039: bastore \nL6040: dup \nL6041: sipush 576 \nL6044: bipush 97 \nL6046: bastore \nL6047: dup \nL6048: sipush 577 \nL6051: bipush 120 \nL6053: bastore \nL6054: dup \nL6055: sipush 578 \nL6058: bipush 46 \nL6060: bastore \nL6061: dup \nL6062: sipush 579 \nL6065: bipush 109 \nL6067: bastore \nL6068: dup \nL6069: sipush 580 \nL6072: bipush 97 \nL6074: bastore \nL6075: dup \nL6076: sipush 581 \nL6079: bipush 110 \nL6081: bastore \nL6082: dup \nL6083: sipush 582 \nL6086: bipush 97 \nL6088: bastore \nL6089: dup \nL6090: sipush 583 \nL6093: bipush 103 \nL6095: bastore \nL6096: dup \nL6097: sipush 584 \nL6100: bipush 101 \nL6102: bastore \nL6103: dup \nL6104: sipush 585 \nL6107: bipush 109 \nL6109: bastore \nL6110: dup \nL6111: sipush 586 \nL6114: bipush 101 \nL6116: bastore \nL6117: dup \nL6118: sipush 587 \nL6121: bipush 110 \nL6123: bastore \nL6124: dup \nL6125: sipush 588 \nL6128: bipush 116 \nL6130: bastore \nL6131: dup \nL6132: sipush 589 \nL6135: bipush 46 \nL6137: bastore \nL6138: dup \nL6139: sipush 590 \nL6142: bipush 109 \nL6144: bastore \nL6145: dup \nL6146: sipush 591 \nL6149: bipush 111 \nL6151: bastore \nL6152: dup \nL6153: sipush 592 \nL6156: bipush 100 \nL6158: bastore \nL6159: dup \nL6160: sipush 593 \nL6163: bipush 101 \nL6165: bastore \nL6166: dup \nL6167: sipush 594 \nL6170: bipush 108 \nL6172: bastore \nL6173: dup \nL6174: sipush 595 \nL6177: bipush 109 \nL6179: bastore \nL6180: dup \nL6181: sipush 596 \nL6184: bipush 98 \nL6186: bastore \nL6187: dup \nL6188: sipush 597 \nL6191: bipush 101 \nL6193: bastore \nL6194: dup \nL6195: sipush 598 \nL6198: bipush 97 \nL6200: bastore \nL6201: dup \nL6202: sipush 599 \nL6205: bipush 110 \nL6207: bastore \nL6208: dup \nL6209: sipush 600 \nL6212: bipush 46 \nL6214: bastore \nL6215: dup \nL6216: sipush 601 \nL6219: bipush 68 \nL6221: bastore \nL6222: dup \nL6223: sipush 602 \nL6226: bipush 101 \nL6228: bastore \nL6229: dup \nL6230: sipush 603 \nL6233: bipush 115 \nL6235: bastore \nL6236: dup \nL6237: sipush 604 \nL6240: bipush 99 \nL6242: bastore \nL6243: dup \nL6244: sipush 605 \nL6247: bipush 114 \nL6249: bastore \nL6250: dup \nL6251: sipush 606 \nL6254: bipush 105 \nL6256: bastore \nL6257: dup \nL6258: sipush 607 \nL6261: bipush 112 \nL6263: bastore \nL6264: dup \nL6265: sipush 608 \nL6268: bipush 116 \nL6270: bastore \nL6271: dup \nL6272: sipush 609 \nL6275: bipush 111 \nL6277: bastore \nL6278: dup \nL6279: sipush 610 \nL6282: bipush 114 \nL6284: bastore \nL6285: dup \nL6286: sipush 611 \nL6289: bipush 83 \nL6291: bastore \nL6292: dup \nL6293: sipush 612 \nL6296: bipush 117 \nL6298: bastore \nL6299: dup \nL6300: sipush 613 \nL6303: bipush 112 \nL6305: bastore \nL6306: dup \nL6307: sipush 614 \nL6310: bipush 112 \nL6312: bastore \nL6313: dup \nL6314: sipush 615 \nL6317: bipush 111 \nL6319: bastore \nL6320: dup \nL6321: sipush 616 \nL6324: bipush 114 \nL6326: bastore \nL6327: dup \nL6328: sipush 617 \nL6331: bipush 116 \nL6333: bastore \nL6334: dup \nL6335: sipush 618 \nL6338: bipush -88 \nL6340: bastore \nL6341: dup \nL6342: sipush 619 \nL6345: bipush -86 \nL6347: bastore \nL6348: dup \nL6349: sipush 620 \nL6352: bipush -31 \nL6354: bastore \nL6355: dup \nL6356: sipush 621 \nL6359: bipush -37 \nL6361: bastore \nL6362: dup \nL6363: sipush 622 \nL6366: bipush -95 \nL6368: bastore \nL6369: dup \nL6370: sipush 623 \nL6373: bipush -23 \nL6375: bastore \nL6376: dup \nL6377: sipush 624 \nL6380: bipush -32 \nL6382: bastore \nL6383: dup \nL6384: sipush 625 \nL6387: iconst_1 \nL6388: bastore \nL6389: dup \nL6390: sipush 626 \nL6393: iconst_3 \nL6394: bastore \nL6395: dup \nL6396: sipush 627 \nL6399: iconst_0 \nL6400: bastore \nL6401: dup \nL6402: sipush 628 \nL6405: iconst_1 \nL6406: bastore \nL6407: dup \nL6408: sipush 629 \nL6411: bipush 76 \nL6413: bastore \nL6414: dup \nL6415: sipush 630 \nL6418: iconst_0 \nL6419: bastore \nL6420: dup \nL6421: sipush 631 \nL6424: bipush 10 \nL6426: bastore \nL6427: dup \nL6428: sipush 632 \nL6431: bipush 100 \nL6433: bastore \nL6434: dup \nL6435: sipush 633 \nL6438: bipush 101 \nL6440: bastore \nL6441: dup \nL6442: sipush 634 \nL6445: bipush 115 \nL6447: bastore \nL6448: dup \nL6449: sipush 635 \nL6452: bipush 99 \nL6454: bastore \nL6455: dup \nL6456: sipush 636 \nL6459: bipush 114 \nL6461: bastore \nL6462: dup \nL6463: sipush 637 \nL6466: bipush 105 \nL6468: bastore \nL6469: dup \nL6470: sipush 638 \nL6473: bipush 112 \nL6475: bastore \nL6476: dup \nL6477: sipush 639 \nL6480: bipush 116 \nL6482: bastore \nL6483: dup \nL6484: sipush 640 \nL6487: bipush 111 \nL6489: bastore \nL6490: dup \nL6491: sipush 641 \nL6494: bipush 114 \nL6496: bastore \nL6497: dup \nL6498: sipush 642 \nL6501: bipush 116 \nL6503: bastore \nL6504: dup \nL6505: sipush 643 \nL6508: iconst_0 \nL6509: bastore \nL6510: dup \nL6511: sipush 644 \nL6514: bipush 19 \nL6516: bastore \nL6517: dup \nL6518: sipush 645 \nL6521: bipush 76 \nL6523: bastore \nL6524: dup \nL6525: sipush 646 \nL6528: bipush 106 \nL6530: bastore \nL6531: dup \nL6532: sipush 647 \nL6535: bipush 97 \nL6537: bastore \nL6538: dup \nL6539: sipush 648 \nL6542: bipush 118 \nL6544: bastore \nL6545: dup \nL6546: sipush 649 \nL6549: bipush 97 \nL6551: bastore \nL6552: dup \nL6553: sipush 650 \nL6556: bipush 47 \nL6558: bastore \nL6559: dup \nL6560: sipush 651 \nL6563: bipush 117 \nL6565: bastore \nL6566: dup \nL6567: sipush 652 \nL6570: bipush 116 \nL6572: bastore \nL6573: dup \nL6574: sipush 653 \nL6577: bipush 105 \nL6579: bastore \nL6580: dup \nL6581: sipush 654 \nL6584: bipush 108 \nL6586: bastore \nL6587: dup \nL6588: sipush 655 \nL6591: bipush 47 \nL6593: bastore \nL6594: dup \nL6595: sipush 656 \nL6598: bipush 72 \nL6600: bastore \nL6601: dup \nL6602: sipush 657 \nL6605: bipush 97 \nL6607: bastore \nL6608: dup \nL6609: sipush 658 \nL6612: bipush 115 \nL6614: bastore \nL6615: dup \nL6616: sipush 659 \nL6619: bipush 104 \nL6621: bastore \nL6622: dup \nL6623: sipush 660 \nL6626: bipush 77 \nL6628: bastore \nL6629: dup \nL6630: sipush 661 \nL6633: bipush 97 \nL6635: bastore \nL6636: dup \nL6637: sipush 662 \nL6640: bipush 112 \nL6642: bastore \nL6643: dup \nL6644: sipush 663 \nL6647: bipush 59 \nL6649: bastore \nL6650: dup \nL6651: sipush 664 \nL6654: bipush 120 \nL6656: bastore \nL6657: dup \nL6658: sipush 665 \nL6661: bipush 112 \nL6663: bastore \nL6664: dup \nL6665: sipush 666 \nL6668: bipush 115 \nL6670: bastore \nL6671: dup \nL6672: sipush 667 \nL6675: bipush 114 \nL6677: bastore \nL6678: dup \nL6679: sipush 668 \nL6682: iconst_0 \nL6683: bastore \nL6684: dup \nL6685: sipush 669 \nL6688: bipush 17 \nL6690: bastore \nL6691: dup \nL6692: sipush 670 \nL6695: bipush 106 \nL6697: bastore \nL6698: dup \nL6699: sipush 671 \nL6702: bipush 97 \nL6704: bastore \nL6705: dup \nL6706: sipush 672 \nL6709: bipush 118 \nL6711: bastore \nL6712: dup \nL6713: sipush 673 \nL6716: bipush 97 \nL6718: bastore \nL6719: dup \nL6720: sipush 674 \nL6723: bipush 46 \nL6725: bastore \nL6726: dup \nL6727: sipush 675 \nL6730: bipush 117 \nL6732: bastore \nL6733: dup \nL6734: sipush 676 \nL6737: bipush 116 \nL6739: bastore \nL6740: dup \nL6741: sipush 677 \nL6744: bipush 105 \nL6746: bastore \nL6747: dup \nL6748: sipush 678 \nL6751: bipush 108 \nL6753: bastore \nL6754: dup \nL6755: sipush 679 \nL6758: bipush 46 \nL6760: bastore \nL6761: dup \nL6762: sipush 680 \nL6765: bipush 72 \nL6767: bastore \nL6768: dup \nL6769: sipush 681 \nL6772: bipush 97 \nL6774: bastore \nL6775: dup \nL6776: sipush 682 \nL6779: bipush 115 \nL6781: bastore \nL6782: dup \nL6783: sipush 683 \nL6786: bipush 104 \nL6788: bastore \nL6789: dup \nL6790: sipush 684 \nL6793: bipush 77 \nL6795: bastore \nL6796: dup \nL6797: sipush 685 \nL6800: bipush 97 \nL6802: bastore \nL6803: dup \nL6804: sipush 686 \nL6807: bipush 112 \nL6809: bastore \nL6810: dup \nL6811: sipush 687 \nL6814: iconst_5 \nL6815: bastore \nL6816: dup \nL6817: sipush 688 \nL6820: bipush 7 \nL6822: bastore \nL6823: dup \nL6824: sipush 689 \nL6827: bipush -38 \nL6829: bastore \nL6830: dup \nL6831: sipush 690 \nL6834: bipush -63 \nL6836: bastore \nL6837: dup \nL6838: sipush 691 \nL6841: bipush -61 \nL6843: bastore \nL6844: dup \nL6845: sipush 692 \nL6848: bipush 22 \nL6850: bastore \nL6851: dup \nL6852: sipush 693 \nL6855: bipush 96 \nL6857: bastore \nL6858: dup \nL6859: sipush 694 \nL6862: bipush -47 \nL6864: bastore \nL6865: dup \nL6866: sipush 695 \nL6869: iconst_3 \nL6870: bastore \nL6871: dup \nL6872: sipush 696 \nL6875: iconst_0 \nL6876: bastore \nL6877: dup \nL6878: sipush 697 \nL6881: iconst_2 \nL6882: bastore \nL6883: dup \nL6884: sipush 698 \nL6887: bipush 70 \nL6889: bastore \nL6890: dup \nL6891: sipush 699 \nL6894: iconst_0 \nL6895: bastore \nL6896: dup \nL6897: sipush 700 \nL6900: bipush 10 \nL6902: bastore \nL6903: dup \nL6904: sipush 701 \nL6907: bipush 108 \nL6909: bastore \nL6910: dup \nL6911: sipush 702 \nL6914: bipush 111 \nL6916: bastore \nL6917: dup \nL6918: sipush 703 \nL6921: bipush 97 \nL6923: bastore \nL6924: dup \nL6925: sipush 704 \nL6928: bipush 100 \nL6930: bastore \nL6931: dup \nL6932: sipush 705 \nL6935: bipush 70 \nL6937: bastore \nL6938: dup \nL6939: sipush 706 \nL6942: bipush 97 \nL6944: bastore \nL6945: dup \nL6946: sipush 707 \nL6949: bipush 99 \nL6951: bastore \nL6952: dup \nL6953: sipush 708 \nL6956: bipush 116 \nL6958: bastore \nL6959: dup \nL6960: sipush 709 \nL6963: bipush 111 \nL6965: bastore \nL6966: dup \nL6967: sipush 710 \nL6970: bipush 114 \nL6972: bastore \nL6973: dup \nL6974: sipush 711 \nL6977: bipush 73 \nL6979: bastore \nL6980: dup \nL6981: sipush 712 \nL6984: iconst_0 \nL6985: bastore \nL6986: dup \nL6987: sipush 713 \nL6990: bipush 9 \nL6992: bastore \nL6993: dup \nL6994: sipush 714 \nL6997: bipush 116 \nL6999: bastore \nL7000: dup \nL7001: sipush 715 \nL7004: bipush 104 \nL7006: bastore \nL7007: dup \nL7008: sipush 716 \nL7011: bipush 114 \nL7013: bastore \nL7014: dup \nL7015: sipush 717 \nL7018: bipush 101 \nL7020: bastore \nL7021: dup \nL7022: sipush 718 \nL7025: bipush 115 \nL7027: bastore \nL7028: dup \nL7029: sipush 719 \nL7032: bipush 104 \nL7034: bastore \nL7035: dup \nL7036: sipush 720 \nL7039: bipush 111 \nL7041: bastore \nL7042: dup \nL7043: sipush 721 \nL7046: bipush 108 \nL7048: bastore \nL7049: dup \nL7050: sipush 722 \nL7053: bipush 100 \nL7055: bastore \nL7056: dup \nL7057: sipush 723 \nL7060: bipush 120 \nL7062: bastore \nL7063: dup \nL7064: sipush 724 \nL7067: bipush 112 \nL7069: bastore \nL7070: dup \nL7071: sipush 725 \nL7074: bipush 63 \nL7076: bastore \nL7077: dup \nL7078: sipush 726 \nL7081: bipush 64 \nL7083: bastore \nL7084: dup \nL7085: sipush 727 \nL7088: iconst_0 \nL7089: bastore \nL7090: dup \nL7091: sipush 728 \nL7094: iconst_0 \nL7095: bastore \nL7096: dup \nL7097: sipush 729 \nL7100: iconst_0 \nL7101: bastore \nL7102: dup \nL7103: sipush 730 \nL7106: iconst_0 \nL7107: bastore \nL7108: dup \nL7109: sipush 731 \nL7112: iconst_0 \nL7113: bastore \nL7114: dup \nL7115: sipush 732 \nL7118: bipush 12 \nL7120: bastore \nL7121: dup \nL7122: sipush 733 \nL7125: bipush 119 \nL7127: bastore \nL7128: dup \nL7129: sipush 734 \nL7132: bipush 8 \nL7134: bastore \nL7135: dup \nL7136: sipush 735 \nL7139: iconst_0 \nL7140: bastore \nL7141: dup \nL7142: sipush 736 \nL7145: iconst_0 \nL7146: bastore \nL7147: dup \nL7148: sipush 737 \nL7151: iconst_0 \nL7152: bastore \nL7153: dup \nL7154: sipush 738 \nL7157: bipush 16 \nL7159: bastore \nL7160: dup \nL7161: sipush 739 \nL7164: iconst_0 \nL7165: bastore \nL7166: dup \nL7167: sipush 740 \nL7170: iconst_0 \nL7171: bastore \nL7172: dup \nL7173: sipush 741 \nL7176: iconst_0 \nL7177: bastore \nL7178: dup \nL7179: sipush 742 \nL7182: bipush 7 \nL7184: bastore \nL7185: dup \nL7186: sipush 743 \nL7189: bipush 116 \nL7191: bastore \nL7192: dup \nL7193: sipush 744 \nL7196: iconst_0 \nL7197: bastore \nL7198: dup \nL7199: sipush 745 \nL7202: bipush 6 \nL7204: bastore \nL7205: dup \nL7206: sipush 746 \nL7209: bipush 101 \nL7211: bastore \nL7212: dup \nL7213: sipush 747 \nL7216: bipush 120 \nL7218: bastore \nL7219: dup \nL7220: sipush 748 \nL7223: bipush 112 \nL7225: bastore \nL7226: dup \nL7227: sipush 749 \nL7230: bipush 111 \nL7232: bastore \nL7233: dup \nL7234: sipush 750 \nL7237: bipush 114 \nL7239: bastore \nL7240: dup \nL7241: sipush 751 \nL7244: bipush 116 \nL7246: bastore \nL7247: dup \nL7248: sipush 752 \nL7251: bipush 116 \nL7253: bastore \nL7254: dup \nL7255: sipush 753 \nL7258: iconst_0 \nL7259: bastore \nL7260: dup \nL7261: sipush 754 \nL7264: iconst_1 \nL7265: bastore \nL7266: dup \nL7267: sipush 755 \nL7270: bipush 70 \nL7272: bastore \nL7273: dup \nL7274: sipush 756 \nL7277: bipush 116 \nL7279: bastore \nL7280: dup \nL7281: sipush 757 \nL7284: iconst_0 \nL7285: bastore \nL7286: dup \nL7287: sipush 758 \nL7290: iconst_3 \nL7291: bastore \nL7292: dup \nL7293: sipush 759 \nL7296: bipush 108 \nL7298: bastore \nL7299: dup \nL7300: sipush 760 \nL7303: bipush 111 \nL7305: bastore \nL7306: dup \nL7307: sipush 761 \nL7310: bipush 103 \nL7312: bastore \nL7313: dup \nL7314: sipush 762 \nL7317: bipush 116 \nL7319: bastore \nL7320: dup \nL7321: sipush 763 \nL7324: iconst_0 \nL7325: bastore \nL7326: dup \nL7327: sipush 764 \nL7330: iconst_1 \nL7331: bastore \nL7332: dup \nL7333: sipush 765 \nL7336: bipush 70 \nL7338: bastore \nL7339: dup \nL7340: sipush 766 \nL7343: bipush 116 \nL7345: bastore \nL7346: dup \nL7347: sipush 767 \nL7350: iconst_0 \nL7351: bastore \nL7352: dup \nL7353: sipush 768 \nL7356: bipush 10 \nL7358: bastore \nL7359: dup \nL7360: sipush 769 \nL7363: bipush 118 \nL7365: bastore \nL7366: dup \nL7367: sipush 770 \nL7370: bipush 105 \nL7372: bastore \nL7373: dup \nL7374: sipush 771 \nL7377: bipush 115 \nL7379: bastore \nL7380: dup \nL7381: sipush 772 \nL7384: bipush 105 \nL7386: bastore \nL7387: dup \nL7388: sipush 773 \nL7391: bipush 98 \nL7393: bastore \nL7394: dup \nL7395: sipush 774 \nL7398: bipush 105 \nL7400: bastore \nL7401: dup \nL7402: sipush 775 \nL7405: bipush 108 \nL7407: bastore \nL7408: dup \nL7409: sipush 776 \nL7412: bipush 105 \nL7414: bastore \nL7415: dup \nL7416: sipush 777 \nL7419: bipush 116 \nL7421: bastore \nL7422: dup \nL7423: sipush 778 \nL7426: bipush 121 \nL7428: bastore \nL7429: dup \nL7430: sipush 779 \nL7433: bipush 116 \nL7435: bastore \nL7436: dup \nL7437: sipush 780 \nL7440: iconst_0 \nL7441: bastore \nL7442: dup \nL7443: sipush 781 \nL7446: iconst_1 \nL7447: bastore \nL7448: dup \nL7449: sipush 782 \nL7452: bipush 49 \nL7454: bastore \nL7455: dup \nL7456: sipush 783 \nL7459: bipush 116 \nL7461: bastore \nL7462: dup \nL7463: sipush 784 \nL7466: iconst_0 \nL7467: bastore \nL7468: dup \nL7469: sipush 785 \nL7472: bipush 14 \nL7474: bastore \nL7475: dup \nL7476: sipush 786 \nL7479: bipush 100 \nL7481: bastore \nL7482: dup \nL7483: sipush 787 \nL7486: bipush 101 \nL7488: bastore \nL7489: dup \nL7490: sipush 788 \nL7493: bipush 115 \nL7495: bastore \nL7496: dup \nL7497: sipush 789 \nL7500: bipush 99 \nL7502: bastore \nL7503: dup \nL7504: sipush 790 \nL7507: bipush 114 \nL7509: bastore \nL7510: dup \nL7511: sipush 791 \nL7514: bipush 105 \nL7516: bastore \nL7517: dup \nL7518: sipush 792 \nL7521: bipush 112 \nL7523: bastore \nL7524: dup \nL7525: sipush 793 \nL7528: bipush 116 \nL7530: bastore \nL7531: dup \nL7532: sipush 794 \nL7535: bipush 111 \nL7537: bastore \nL7538: dup \nL7539: sipush 795 \nL7542: bipush 114 \nL7544: bastore \nL7545: dup \nL7546: sipush 796 \nL7549: bipush 116 \nL7551: bastore \nL7552: dup \nL7553: sipush 797 \nL7556: bipush 121 \nL7558: bastore \nL7559: dup \nL7560: sipush 798 \nL7563: bipush 112 \nL7565: bastore \nL7566: dup \nL7567: sipush 799 \nL7570: bipush 101 \nL7572: bastore \nL7573: dup \nL7574: sipush 800 \nL7577: bipush 116 \nL7579: bastore \nL7580: dup \nL7581: sipush 801 \nL7584: iconst_0 \nL7585: bastore \nL7586: dup \nL7587: sipush 802 \nL7590: iconst_5 \nL7591: bastore \nL7592: dup \nL7593: sipush 803 \nL7596: bipush 109 \nL7598: bastore \nL7599: dup \nL7600: sipush 804 \nL7603: bipush 98 \nL7605: bastore \nL7606: dup \nL7607: sipush 805 \nL7610: bipush 101 \nL7612: bastore \nL7613: dup \nL7614: sipush 806 \nL7617: bipush 97 \nL7619: bastore \nL7620: dup \nL7621: sipush 807 \nL7624: bipush 110 \nL7626: bastore \nL7627: dup \nL7628: sipush 808 \nL7631: bipush 116 \nL7633: bastore \nL7634: dup \nL7635: sipush 809 \nL7638: iconst_0 \nL7639: bastore \nL7640: dup \nL7641: sipush 810 \nL7644: iconst_4 \nL7645: bastore \nL7646: dup \nL7647: sipush 811 \nL7650: bipush 110 \nL7652: bastore \nL7653: dup \nL7654: sipush 812 \nL7657: bipush 97 \nL7659: bastore \nL7660: dup \nL7661: sipush 813 \nL7664: bipush 109 \nL7666: bastore \nL7667: dup \nL7668: sipush 814 \nL7671: bipush 101 \nL7673: bastore \nL7674: dup \nL7675: sipush 815 \nL7678: bipush 116 \nL7680: bastore \nL7681: dup \nL7682: sipush 816 \nL7685: iconst_0 \nL7686: bastore \nL7687: dup \nL7688: sipush 817 \nL7691: iconst_4 \nL7692: bastore \nL7693: dup \nL7694: sipush 818 \nL7697: bipush 110 \nL7699: bastore \nL7700: dup \nL7701: sipush 819 \nL7704: bipush 117 \nL7706: bastore \nL7707: dup \nL7708: sipush 820 \nL7711: bipush 108 \nL7713: bastore \nL7714: dup \nL7715: sipush 821 \nL7718: bipush 108 \nL7720: bastore \nL7721: dup \nL7722: sipush 822 \nL7725: bipush 116 \nL7727: bastore \nL7728: dup \nL7729: sipush 823 \nL7732: iconst_0 \nL7733: bastore \nL7734: dup \nL7735: sipush 824 \nL7738: bipush 11 \nL7740: bastore \nL7741: dup \nL7742: sipush 825 \nL7745: bipush 100 \nL7747: bastore \nL7748: dup \nL7749: sipush 826 \nL7752: bipush 105 \nL7754: bastore \nL7755: dup \nL7756: sipush 827 \nL7759: bipush 115 \nL7761: bastore \nL7762: dup \nL7763: sipush 828 \nL7766: bipush 112 \nL7768: bastore \nL7769: dup \nL7770: sipush 829 \nL7773: bipush 108 \nL7775: bastore \nL7776: dup \nL7777: sipush 830 \nL7780: bipush 97 \nL7782: bastore \nL7783: dup \nL7784: sipush 831 \nL7787: bipush 121 \nL7789: bastore \nL7790: dup \nL7791: sipush 832 \nL7794: bipush 110 \nL7796: bastore \nL7797: dup \nL7798: sipush 833 \nL7801: bipush 97 \nL7803: bastore \nL7804: dup \nL7805: sipush 834 \nL7808: bipush 109 \nL7810: bastore \nL7811: dup \nL7812: sipush 835 \nL7815: bipush 101 \nL7817: bastore \nL7818: dup \nL7819: sipush 836 \nL7822: bipush 116 \nL7824: bastore \nL7825: dup \nL7826: sipush 837 \nL7829: iconst_0 \nL7830: bastore \nL7831: dup \nL7832: sipush 838 \nL7835: iconst_4 \nL7836: bastore \nL7837: dup \nL7838: sipush 839 \nL7841: bipush 110 \nL7843: bastore \nL7844: dup \nL7845: sipush 840 \nL7848: bipush 117 \nL7850: bastore \nL7851: dup \nL7852: sipush 841 \nL7855: bipush 108 \nL7857: bastore \nL7858: dup \nL7859: sipush 842 \nL7862: bipush 108 \nL7864: bastore \nL7865: dup \nL7866: sipush 843 \nL7869: bipush 116 \nL7871: bastore \nL7872: dup \nL7873: sipush 844 \nL7876: iconst_0 \nL7877: bastore \nL7878: dup \nL7879: sipush 845 \nL7882: bipush 13 \nL7884: bastore \nL7885: dup \nL7886: sipush 846 \nL7889: bipush 112 \nL7891: bastore \nL7892: dup \nL7893: sipush 847 \nL7896: bipush 101 \nL7898: bastore \nL7899: dup \nL7900: sipush 848 \nL7903: bipush 114 \nL7905: bastore \nL7906: dup \nL7907: sipush 849 \nL7910: bipush 115 \nL7912: bastore \nL7913: dup \nL7914: sipush 850 \nL7917: bipush 105 \nL7919: bastore \nL7920: dup \nL7921: sipush 851 \nL7924: bipush 115 \nL7926: bastore \nL7927: dup \nL7928: sipush 852 \nL7931: bipush 116 \nL7933: bastore \nL7934: dup \nL7935: sipush 853 \nL7938: bipush 112 \nL7940: bastore \nL7941: dup \nL7942: sipush 854 \nL7945: bipush 111 \nL7947: bastore \nL7948: dup \nL7949: sipush 855 \nL7952: bipush 108 \nL7954: bastore \nL7955: dup \nL7956: sipush 856 \nL7959: bipush 105 \nL7961: bastore \nL7962: dup \nL7963: sipush 857 \nL7966: bipush 99 \nL7968: bastore \nL7969: dup \nL7970: sipush 858 \nL7973: bipush 121 \nL7975: bastore \nL7976: dup \nL7977: sipush 859 \nL7980: bipush 116 \nL7982: bastore \nL7983: dup \nL7984: sipush 860 \nL7987: iconst_0 \nL7988: bastore \nL7989: dup \nL7990: sipush 861 \nL7993: iconst_5 \nL7994: bastore \nL7995: dup \nL7996: sipush 862 \nL7999: bipush 110 \nL8001: bastore \nL8002: dup \nL8003: sipush 863 \nL8006: bipush 101 \nL8008: bastore \nL8009: dup \nL8010: sipush 864 \nL8013: bipush 118 \nL8015: bastore \nL8016: dup \nL8017: sipush 865 \nL8020: bipush 101 \nL8022: bastore \nL8023: dup \nL8024: sipush 866 \nL8027: bipush 114 \nL8029: bastore \nL8030: dup \nL8031: sipush 867 \nL8034: bipush 120 \nL8036: bastore \nL8037: dup \nL8038: sipush 868 \nL8041: bipush 120 \nL8043: bastore \nL8044: dup \nL8045: sipush 869 \nL8048: bipush 112 \nL8050: bastore \nL8051: dup \nL8052: sipush 870 \nL8055: bipush 112 \nL8057: bastore \nL8058: dup \nL8059: sipush 871 \nL8062: bipush 120 \nL8064: bastore \nL8065: aastore \nL8066: dup \nL8067: iconst_2 \nL8068: sipush 393 \nL8071: newarray byte \nL8073: dup \nL8074: iconst_0 \nL8075: bipush -84 \nL8077: bastore \nL8078: dup \nL8079: iconst_1 \nL8080: bipush -19 \nL8082: bastore \nL8083: dup \nL8084: iconst_2 \nL8085: iconst_0 \nL8086: bastore \nL8087: dup \nL8088: iconst_3 \nL8089: iconst_5 \nL8090: bastore \nL8091: dup \nL8092: iconst_4 \nL8093: bipush 115 \nL8095: bastore \nL8096: dup \nL8097: iconst_5 \nL8098: bipush 114 \nL8100: bastore \nL8101: dup \nL8102: bipush 6 \nL8104: iconst_0 \nL8105: bastore \nL8106: dup \nL8107: bipush 7 \nL8109: bipush 47 \nL8111: bastore \nL8112: dup \nL8113: bipush 8 \nL8115: bipush 106 \nL8117: bastore \nL8118: dup \nL8119: bipush 9 \nL8121: bipush 97 \nL8123: bastore \nL8124: dup \nL8125: bipush 10 \nL8127: bipush 118 \nL8129: bastore \nL8130: dup \nL8131: bipush 11 \nL8133: bipush 97 \nL8135: bastore \nL8136: dup \nL8137: bipush 12 \nL8139: bipush 120 \nL8141: bastore \nL8142: dup \nL8143: bipush 13 \nL8145: bipush 46 \nL8147: bastore \nL8148: dup \nL8149: bipush 14 \nL8151: bipush 109 \nL8153: bastore \nL8154: dup \nL8155: bipush 15 \nL8157: bipush 97 \nL8159: bastore \nL8160: dup \nL8161: bipush 16 \nL8163: bipush 110 \nL8165: bastore \nL8166: dup \nL8167: bipush 17 \nL8169: bipush 97 \nL8171: bastore \nL8172: dup \nL8173: bipush 18 \nL8175: bipush 103 \nL8177: bastore \nL8178: dup \nL8179: bipush 19 \nL8181: bipush 101 \nL8183: bastore \nL8184: dup \nL8185: bipush 20 \nL8187: bipush 109 \nL8189: bastore \nL8190: dup \nL8191: bipush 21 \nL8193: bipush 101 \nL8195: bastore \nL8196: dup \nL8197: bipush 22 \nL8199: bipush 110 \nL8201: bastore \nL8202: dup \nL8203: bipush 23 \nL8205: bipush 116 \nL8207: bastore \nL8208: dup \nL8209: bipush 24 \nL8211: bipush 46 \nL8213: bastore \nL8214: dup \nL8215: bipush 25 \nL8217: bipush 111 \nL8219: bastore \nL8220: dup \nL8221: bipush 26 \nL8223: bipush 112 \nL8225: bastore \nL8226: dup \nL8227: bipush 27 \nL8229: bipush 101 \nL8231: bastore \nL8232: dup \nL8233: bipush 28 \nL8235: bipush 110 \nL8237: bastore \nL8238: dup \nL8239: bipush 29 \nL8241: bipush 109 \nL8243: bastore \nL8244: dup \nL8245: bipush 30 \nL8247: bipush 98 \nL8249: bastore \nL8250: dup \nL8251: bipush 31 \nL8253: bipush 101 \nL8255: bastore \nL8256: dup \nL8257: bipush 32 \nL8259: bipush 97 \nL8261: bastore \nL8262: dup \nL8263: bipush 33 \nL8265: bipush 110 \nL8267: bastore \nL8268: dup \nL8269: bipush 34 \nL8271: bipush 46 \nL8273: bastore \nL8274: dup \nL8275: bipush 35 \nL8277: bipush 79 \nL8279: bastore \nL8280: dup \nL8281: bipush 36 \nL8283: bipush 112 \nL8285: bastore \nL8286: dup \nL8287: bipush 37 \nL8289: bipush 101 \nL8291: bastore \nL8292: dup \nL8293: bipush 38 \nL8295: bipush 110 \nL8297: bastore \nL8298: dup \nL8299: bipush 39 \nL8301: bipush 77 \nL8303: bastore \nL8304: dup \nL8305: bipush 40 \nL8307: bipush 66 \nL8309: bastore \nL8310: dup \nL8311: bipush 41 \nL8313: bipush 101 \nL8315: bastore \nL8316: dup \nL8317: bipush 42 \nL8319: bipush 97 \nL8321: bastore \nL8322: dup \nL8323: bipush 43 \nL8325: bipush 110 \nL8327: bastore \nL8328: dup \nL8329: bipush 44 \nL8331: bipush 73 \nL8333: bastore \nL8334: dup \nL8335: bipush 45 \nL8337: bipush 110 \nL8339: bastore \nL8340: dup \nL8341: bipush 46 \nL8343: bipush 102 \nL8345: bastore \nL8346: dup \nL8347: bipush 47 \nL8349: bipush 111 \nL8351: bastore \nL8352: dup \nL8353: bipush 48 \nL8355: bipush 83 \nL8357: bastore \nL8358: dup \nL8359: bipush 49 \nL8361: bipush 117 \nL8363: bastore \nL8364: dup \nL8365: bipush 50 \nL8367: bipush 112 \nL8369: bastore \nL8370: dup \nL8371: bipush 51 \nL8373: bipush 112 \nL8375: bastore \nL8376: dup \nL8377: bipush 52 \nL8379: bipush 111 \nL8381: bastore \nL8382: dup \nL8383: bipush 53 \nL8385: bipush 114 \nL8387: bastore \nL8388: dup \nL8389: bipush 54 \nL8391: bipush 116 \nL8393: bastore \nL8394: dup \nL8395: bipush 55 \nL8397: bipush 60 \nL8399: bastore \nL8400: dup \nL8401: bipush 56 \nL8403: bipush 92 \nL8405: bastore \nL8406: dup \nL8407: bipush 57 \nL8409: bipush 40 \nL8411: bastore \nL8412: dup \nL8413: bipush 58 \nL8415: bipush -113 \nL8417: bastore \nL8418: dup \nL8419: bipush 59 \nL8421: bipush 38 \nL8423: bastore \nL8424: dup \nL8425: bipush 60 \nL8427: bipush 68 \nL8429: bastore \nL8430: dup \nL8431: bipush 61 \nL8433: bipush 117 \nL8435: bastore \nL8436: dup \nL8437: bipush 62 \nL8439: iconst_4 \nL8440: bastore \nL8441: dup \nL8442: bipush 63 \nL8444: iconst_2 \nL8445: bastore \nL8446: dup \nL8447: bipush 64 \nL8449: iconst_0 \nL8450: bastore \nL8451: dup \nL8452: bipush 65 \nL8454: iconst_0 \nL8455: bastore \nL8456: dup \nL8457: bipush 66 \nL8459: bipush 120 \nL8461: bastore \nL8462: dup \nL8463: bipush 67 \nL8465: bipush 114 \nL8467: bastore \nL8468: dup \nL8469: bipush 68 \nL8471: iconst_0 \nL8472: bastore \nL8473: dup \nL8474: bipush 69 \nL8476: bipush 26 \nL8478: bastore \nL8479: dup \nL8480: bipush 70 \nL8482: bipush 106 \nL8484: bastore \nL8485: dup \nL8486: bipush 71 \nL8488: bipush 97 \nL8490: bastore \nL8491: dup \nL8492: bipush 72 \nL8494: bipush 118 \nL8496: bastore \nL8497: dup \nL8498: bipush 73 \nL8500: bipush 97 \nL8502: bastore \nL8503: dup \nL8504: bipush 74 \nL8506: bipush 120 \nL8508: bastore \nL8509: dup \nL8510: bipush 75 \nL8512: bipush 46 \nL8514: bastore \nL8515: dup \nL8516: bipush 76 \nL8518: bipush 109 \nL8520: bastore \nL8521: dup \nL8522: bipush 77 \nL8524: bipush 97 \nL8526: bastore \nL8527: dup \nL8528: bipush 78 \nL8530: bipush 110 \nL8532: bastore \nL8533: dup \nL8534: bipush 79 \nL8536: bipush 97 \nL8538: bastore \nL8539: dup \nL8540: bipush 80 \nL8542: bipush 103 \nL8544: bastore \nL8545: dup \nL8546: bipush 81 \nL8548: bipush 101 \nL8550: bastore \nL8551: dup \nL8552: bipush 82 \nL8554: bipush 109 \nL8556: bastore \nL8557: dup \nL8558: bipush 83 \nL8560: bipush 101 \nL8562: bastore \nL8563: dup \nL8564: bipush 84 \nL8566: bipush 110 \nL8568: bastore \nL8569: dup \nL8570: bipush 85 \nL8572: bipush 116 \nL8574: bastore \nL8575: dup \nL8576: bipush 86 \nL8578: bipush 46 \nL8580: bastore \nL8581: dup \nL8582: bipush 87 \nL8584: bipush 77 \nL8586: bastore \nL8587: dup \nL8588: bipush 88 \nL8590: bipush 66 \nL8592: bastore \nL8593: dup \nL8594: bipush 89 \nL8596: bipush 101 \nL8598: bastore \nL8599: dup \nL8600: bipush 90 \nL8602: bipush 97 \nL8604: bastore \nL8605: dup \nL8606: bipush 91 \nL8608: bipush 110 \nL8610: bastore \nL8611: dup \nL8612: bipush 92 \nL8614: bipush 73 \nL8616: bastore \nL8617: dup \nL8618: bipush 93 \nL8620: bipush 110 \nL8622: bastore \nL8623: dup \nL8624: bipush 94 \nL8626: bipush 102 \nL8628: bastore \nL8629: dup \nL8630: bipush 95 \nL8632: bipush 111 \nL8634: bastore \nL8635: dup \nL8636: bipush 96 \nL8638: bipush -90 \nL8640: bastore \nL8641: dup \nL8642: bipush 97 \nL8644: bipush 121 \nL8646: bastore \nL8647: dup \nL8648: bipush 98 \nL8650: bipush 94 \nL8652: bastore \nL8653: dup \nL8654: bipush 99 \nL8656: bipush 47 \nL8658: bastore \nL8659: dup \nL8660: bipush 100 \nL8662: bipush 8 \nL8664: bastore \nL8665: dup \nL8666: bipush 101 \nL8668: bipush 86 \nL8670: bastore \nL8671: dup \nL8672: bipush 102 \nL8674: bipush -119 \nL8676: bastore \nL8677: dup \nL8678: bipush 103 \nL8680: bipush -55 \nL8682: bastore \nL8683: dup \nL8684: bipush 104 \nL8686: iconst_2 \nL8687: bastore \nL8688: dup \nL8689: bipush 105 \nL8691: iconst_0 \nL8692: bastore \nL8693: dup \nL8694: bipush 106 \nL8696: bipush 6 \nL8698: bastore \nL8699: dup \nL8700: bipush 107 \nL8702: bipush 91 \nL8704: bastore \nL8705: dup \nL8706: bipush 108 \nL8708: iconst_0 \nL8709: bastore \nL8710: dup \nL8711: bipush 109 \nL8713: bipush 10 \nL8715: bastore \nL8716: dup \nL8717: bipush 110 \nL8719: bipush 97 \nL8721: bastore \nL8722: dup \nL8723: bipush 111 \nL8725: bipush 116 \nL8727: bastore \nL8728: dup \nL8729: bipush 112 \nL8731: bipush 116 \nL8733: bastore \nL8734: dup \nL8735: bipush 113 \nL8737: bipush 114 \nL8739: bastore \nL8740: dup \nL8741: bipush 114 \nL8743: bipush 105 \nL8745: bastore \nL8746: dup \nL8747: bipush 115 \nL8749: bipush 98 \nL8751: bastore \nL8752: dup \nL8753: bipush 116 \nL8755: bipush 117 \nL8757: bastore \nL8758: dup \nL8759: bipush 117 \nL8761: bipush 116 \nL8763: bastore \nL8764: dup \nL8765: bipush 118 \nL8767: bipush 101 \nL8769: bastore \nL8770: dup \nL8771: bipush 119 \nL8773: bipush 115 \nL8775: bastore \nL8776: dup \nL8777: bipush 120 \nL8779: bipush 116 \nL8781: bastore \nL8782: dup \nL8783: bipush 121 \nL8785: iconst_0 \nL8786: bastore \nL8787: dup \nL8788: bipush 122 \nL8790: bipush 38 \nL8792: bastore \nL8793: dup \nL8794: bipush 123 \nL8796: bipush 91 \nL8798: bastore \nL8799: dup \nL8800: bipush 124 \nL8802: bipush 76 \nL8804: bastore \nL8805: dup \nL8806: bipush 125 \nL8808: bipush 106 \nL8810: bastore \nL8811: dup \nL8812: bipush 126 \nL8814: bipush 97 \nL8816: bastore \nL8817: dup \nL8818: bipush 127 \nL8820: bipush 118 \nL8822: bastore \nL8823: dup \nL8824: sipush 128 \nL8827: bipush 97 \nL8829: bastore \nL8830: dup \nL8831: sipush 129 \nL8834: bipush 120 \nL8836: bastore \nL8837: dup \nL8838: sipush 130 \nL8841: bipush 47 \nL8843: bastore \nL8844: dup \nL8845: sipush 131 \nL8848: bipush 109 \nL8850: bastore \nL8851: dup \nL8852: sipush 132 \nL8855: bipush 97 \nL8857: bastore \nL8858: dup \nL8859: sipush 133 \nL8862: bipush 110 \nL8864: bastore \nL8865: dup \nL8866: sipush 134 \nL8869: bipush 97 \nL8871: bastore \nL8872: dup \nL8873: sipush 135 \nL8876: bipush 103 \nL8878: bastore \nL8879: dup \nL8880: sipush 136 \nL8883: bipush 101 \nL8885: bastore \nL8886: dup \nL8887: sipush 137 \nL8890: bipush 109 \nL8892: bastore \nL8893: dup \nL8894: sipush 138 \nL8897: bipush 101 \nL8899: bastore \nL8900: dup \nL8901: sipush 139 \nL8904: bipush 110 \nL8906: bastore \nL8907: dup \nL8908: sipush 140 \nL8911: bipush 116 \nL8913: bastore \nL8914: dup \nL8915: sipush 141 \nL8918: bipush 47 \nL8920: bastore \nL8921: dup \nL8922: sipush 142 \nL8925: bipush 77 \nL8927: bastore \nL8928: dup \nL8929: sipush 143 \nL8932: bipush 66 \nL8934: bastore \nL8935: dup \nL8936: sipush 144 \nL8939: bipush 101 \nL8941: bastore \nL8942: dup \nL8943: sipush 145 \nL8946: bipush 97 \nL8948: bastore \nL8949: dup \nL8950: sipush 146 \nL8953: bipush 110 \nL8955: bastore \nL8956: dup \nL8957: sipush 147 \nL8960: bipush 65 \nL8962: bastore \nL8963: dup \nL8964: sipush 148 \nL8967: bipush 116 \nL8969: bastore \nL8970: dup \nL8971: sipush 149 \nL8974: bipush 116 \nL8976: bastore \nL8977: dup \nL8978: sipush 150 \nL8981: bipush 114 \nL8983: bastore \nL8984: dup \nL8985: sipush 151 \nL8988: bipush 105 \nL8990: bastore \nL8991: dup \nL8992: sipush 152 \nL8995: bipush 98 \nL8997: bastore \nL8998: dup \nL8999: sipush 153 \nL9002: bipush 117 \nL9004: bastore \nL9005: dup \nL9006: sipush 154 \nL9009: bipush 116 \nL9011: bastore \nL9012: dup \nL9013: sipush 155 \nL9016: bipush 101 \nL9018: bastore \nL9019: dup \nL9020: sipush 156 \nL9023: bipush 73 \nL9025: bastore \nL9026: dup \nL9027: sipush 157 \nL9030: bipush 110 \nL9032: bastore \nL9033: dup \nL9034: sipush 158 \nL9037: bipush 102 \nL9039: bastore \nL9040: dup \nL9041: sipush 159 \nL9044: bipush 111 \nL9046: bastore \nL9047: dup \nL9048: sipush 160 \nL9051: bipush 59 \nL9053: bastore \nL9054: dup \nL9055: sipush 161 \nL9058: bipush 76 \nL9060: bastore \nL9061: dup \nL9062: sipush 162 \nL9065: iconst_0 \nL9066: bastore \nL9067: dup \nL9068: sipush 163 \nL9071: bipush 9 \nL9073: bastore \nL9074: dup \nL9075: sipush 164 \nL9078: bipush 99 \nL9080: bastore \nL9081: dup \nL9082: sipush 165 \nL9085: bipush 108 \nL9087: bastore \nL9088: dup \nL9089: sipush 166 \nL9092: bipush 97 \nL9094: bastore \nL9095: dup \nL9096: sipush 167 \nL9099: bipush 115 \nL9101: bastore \nL9102: dup \nL9103: sipush 168 \nL9106: bipush 115 \nL9108: bastore \nL9109: dup \nL9110: sipush 169 \nL9113: bipush 78 \nL9115: bastore \nL9116: dup \nL9117: sipush 170 \nL9120: bipush 97 \nL9122: bastore \nL9123: dup \nL9124: sipush 171 \nL9127: bipush 109 \nL9129: bastore \nL9130: dup \nL9131: sipush 172 \nL9134: bipush 101 \nL9136: bastore \nL9137: dup \nL9138: sipush 173 \nL9141: bipush 116 \nL9143: bastore \nL9144: dup \nL9145: sipush 174 \nL9148: iconst_0 \nL9149: bastore \nL9150: dup \nL9151: sipush 175 \nL9154: bipush 18 \nL9156: bastore \nL9157: dup \nL9158: sipush 176 \nL9161: bipush 76 \nL9163: bastore \nL9164: dup \nL9165: sipush 177 \nL9168: bipush 106 \nL9170: bastore \nL9171: dup \nL9172: sipush 178 \nL9175: bipush 97 \nL9177: bastore \nL9178: dup \nL9179: sipush 179 \nL9182: bipush 118 \nL9184: bastore \nL9185: dup \nL9186: sipush 180 \nL9189: bipush 97 \nL9191: bastore \nL9192: dup \nL9193: sipush 181 \nL9196: bipush 47 \nL9198: bastore \nL9199: dup \nL9200: sipush 182 \nL9203: bipush 108 \nL9205: bastore \nL9206: dup \nL9207: sipush 183 \nL9210: bipush 97 \nL9212: bastore \nL9213: dup \nL9214: sipush 184 \nL9217: bipush 110 \nL9219: bastore \nL9220: dup \nL9221: sipush 185 \nL9224: bipush 103 \nL9226: bastore \nL9227: dup \nL9228: sipush 186 \nL9231: bipush 47 \nL9233: bastore \nL9234: dup \nL9235: sipush 187 \nL9238: bipush 83 \nL9240: bastore \nL9241: dup \nL9242: sipush 188 \nL9245: bipush 116 \nL9247: bastore \nL9248: dup \nL9249: sipush 189 \nL9252: bipush 114 \nL9254: bastore \nL9255: dup \nL9256: sipush 190 \nL9259: bipush 105 \nL9261: bastore \nL9262: dup \nL9263: sipush 191 \nL9266: bipush 110 \nL9268: bastore \nL9269: dup \nL9270: sipush 192 \nL9273: bipush 103 \nL9275: bastore \nL9276: dup \nL9277: sipush 193 \nL9280: bipush 59 \nL9282: bastore \nL9283: dup \nL9284: sipush 194 \nL9287: bipush 91 \nL9289: bastore \nL9290: dup \nL9291: sipush 195 \nL9294: iconst_0 \nL9295: bastore \nL9296: dup \nL9297: sipush 196 \nL9300: bipush 12 \nL9302: bastore \nL9303: dup \nL9304: sipush 197 \nL9307: bipush 99 \nL9309: bastore \nL9310: dup \nL9311: sipush 198 \nL9314: bipush 111 \nL9316: bastore \nL9317: dup \nL9318: sipush 199 \nL9321: bipush 110 \nL9323: bastore \nL9324: dup \nL9325: sipush 200 \nL9328: bipush 115 \nL9330: bastore \nL9331: dup \nL9332: sipush 201 \nL9335: bipush 116 \nL9337: bastore \nL9338: dup \nL9339: sipush 202 \nL9342: bipush 114 \nL9344: bastore \nL9345: dup \nL9346: sipush 203 \nL9349: bipush 117 \nL9351: bastore \nL9352: dup \nL9353: sipush 204 \nL9356: bipush 99 \nL9358: bastore \nL9359: dup \nL9360: sipush 205 \nL9363: bipush 116 \nL9365: bastore \nL9366: dup \nL9367: sipush 206 \nL9370: bipush 111 \nL9372: bastore \nL9373: dup \nL9374: sipush 207 \nL9377: bipush 114 \nL9379: bastore \nL9380: dup \nL9381: sipush 208 \nL9384: bipush 115 \nL9386: bastore \nL9387: dup \nL9388: sipush 209 \nL9391: bipush 116 \nL9393: bastore \nL9394: dup \nL9395: sipush 210 \nL9398: iconst_0 \nL9399: bastore \nL9400: dup \nL9401: sipush 211 \nL9404: bipush 40 \nL9406: bastore \nL9407: dup \nL9408: sipush 212 \nL9411: bipush 91 \nL9413: bastore \nL9414: dup \nL9415: sipush 213 \nL9418: bipush 76 \nL9420: bastore \nL9421: dup \nL9422: sipush 214 \nL9425: bipush 106 \nL9427: bastore \nL9428: dup \nL9429: sipush 215 \nL9432: bipush 97 \nL9434: bastore \nL9435: dup \nL9436: sipush 216 \nL9439: bipush 118 \nL9441: bastore \nL9442: dup \nL9443: sipush 217 \nL9446: bipush 97 \nL9448: bastore \nL9449: dup \nL9450: sipush 218 \nL9453: bipush 120 \nL9455: bastore \nL9456: dup \nL9457: sipush 219 \nL9460: bipush 47 \nL9462: bastore \nL9463: dup \nL9464: sipush 220 \nL9467: bipush 109 \nL9469: bastore \nL9470: dup \nL9471: sipush 221 \nL9474: bipush 97 \nL9476: bastore \nL9477: dup \nL9478: sipush 222 \nL9481: bipush 110 \nL9483: bastore \nL9484: dup \nL9485: sipush 223 \nL9488: bipush 97 \nL9490: bastore \nL9491: dup \nL9492: sipush 224 \nL9495: bipush 103 \nL9497: bastore \nL9498: dup \nL9499: sipush 225 \nL9502: bipush 101 \nL9504: bastore \nL9505: dup \nL9506: sipush 226 \nL9509: bipush 109 \nL9511: bastore \nL9512: dup \nL9513: sipush 227 \nL9516: bipush 101 \nL9518: bastore \nL9519: dup \nL9520: sipush 228 \nL9523: bipush 110 \nL9525: bastore \nL9526: dup \nL9527: sipush 229 \nL9530: bipush 116 \nL9532: bastore \nL9533: dup \nL9534: sipush 230 \nL9537: bipush 47 \nL9539: bastore \nL9540: dup \nL9541: sipush 231 \nL9544: bipush 77 \nL9546: bastore \nL9547: dup \nL9548: sipush 232 \nL9551: bipush 66 \nL9553: bastore \nL9554: dup \nL9555: sipush 233 \nL9558: bipush 101 \nL9560: bastore \nL9561: dup \nL9562: sipush 234 \nL9565: bipush 97 \nL9567: bastore \nL9568: dup \nL9569: sipush 235 \nL9572: bipush 110 \nL9574: bastore \nL9575: dup \nL9576: sipush 236 \nL9579: bipush 67 \nL9581: bastore \nL9582: dup \nL9583: sipush 237 \nL9586: bipush 111 \nL9588: bastore \nL9589: dup \nL9590: sipush 238 \nL9593: bipush 110 \nL9595: bastore \nL9596: dup \nL9597: sipush 239 \nL9600: bipush 115 \nL9602: bastore \nL9603: dup \nL9604: sipush 240 \nL9607: bipush 116 \nL9609: bastore \nL9610: dup \nL9611: sipush 241 \nL9614: bipush 114 \nL9616: bastore \nL9617: dup \nL9618: sipush 242 \nL9621: bipush 117 \nL9623: bastore \nL9624: dup \nL9625: sipush 243 \nL9628: bipush 99 \nL9630: bastore \nL9631: dup \nL9632: sipush 244 \nL9635: bipush 116 \nL9637: bastore \nL9638: dup \nL9639: sipush 245 \nL9642: bipush 111 \nL9644: bastore \nL9645: dup \nL9646: sipush 246 \nL9649: bipush 114 \nL9651: bastore \nL9652: dup \nL9653: sipush 247 \nL9656: bipush 73 \nL9658: bastore \nL9659: dup \nL9660: sipush 248 \nL9663: bipush 110 \nL9665: bastore \nL9666: dup \nL9667: sipush 249 \nL9670: bipush 102 \nL9672: bastore \nL9673: dup \nL9674: sipush 250 \nL9677: bipush 111 \nL9679: bastore \nL9680: dup \nL9681: sipush 251 \nL9684: bipush 59 \nL9686: bastore \nL9687: dup \nL9688: sipush 252 \nL9691: bipush 76 \nL9693: bastore \nL9694: dup \nL9695: sipush 253 \nL9698: iconst_0 \nL9699: bastore \nL9700: dup \nL9701: sipush 254 \nL9704: bipush 11 \nL9706: bastore \nL9707: dup \nL9708: sipush 255 \nL9711: bipush 100 \nL9713: bastore \nL9714: dup \nL9715: sipush 256 \nL9718: bipush 101 \nL9720: bastore \nL9721: dup \nL9722: sipush 257 \nL9725: bipush 115 \nL9727: bastore \nL9728: dup \nL9729: sipush 258 \nL9732: bipush 99 \nL9734: bastore \nL9735: dup \nL9736: sipush 259 \nL9739: bipush 114 \nL9741: bastore \nL9742: dup \nL9743: sipush 260 \nL9746: bipush 105 \nL9748: bastore \nL9749: dup \nL9750: sipush 261 \nL9753: bipush 112 \nL9755: bastore \nL9756: dup \nL9757: sipush 262 \nL9760: bipush 116 \nL9762: bastore \nL9763: dup \nL9764: sipush 263 \nL9767: bipush 105 \nL9769: bastore \nL9770: dup \nL9771: sipush 264 \nL9774: bipush 111 \nL9776: bastore \nL9777: dup \nL9778: sipush 265 \nL9781: bipush 110 \nL9783: bastore \nL9784: dup \nL9785: sipush 266 \nL9788: bipush 113 \nL9790: bastore \nL9791: dup \nL9792: sipush 267 \nL9795: iconst_0 \nL9796: bastore \nL9797: dup \nL9798: sipush 268 \nL9801: bipush 126 \nL9803: bastore \nL9804: dup \nL9805: sipush 269 \nL9808: iconst_0 \nL9809: bastore \nL9810: dup \nL9811: sipush 270 \nL9814: iconst_3 \nL9815: bastore \nL9816: dup \nL9817: sipush 271 \nL9820: bipush 91 \nL9822: bastore \nL9823: dup \nL9824: sipush 272 \nL9827: iconst_0 \nL9828: bastore \nL9829: dup \nL9830: sipush 273 \nL9833: bipush 13 \nL9835: bastore \nL9836: dup \nL9837: sipush 274 \nL9840: bipush 110 \nL9842: bastore \nL9843: dup \nL9844: sipush 275 \nL9847: bipush 111 \nL9849: bastore \nL9850: dup \nL9851: sipush 276 \nL9854: bipush 116 \nL9856: bastore \nL9857: dup \nL9858: sipush 277 \nL9861: bipush 105 \nL9863: bastore \nL9864: dup \nL9865: sipush 278 \nL9868: bipush 102 \nL9870: bastore \nL9871: dup \nL9872: sipush 279 \nL9875: bipush 105 \nL9877: bastore \nL9878: dup \nL9879: sipush 280 \nL9882: bipush 99 \nL9884: bastore \nL9885: dup \nL9886: sipush 281 \nL9889: bipush 97 \nL9891: bastore \nL9892: dup \nL9893: sipush 282 \nL9896: bipush 116 \nL9898: bastore \nL9899: dup \nL9900: sipush 283 \nL9903: bipush 105 \nL9905: bastore \nL9906: dup \nL9907: sipush 284 \nL9910: bipush 111 \nL9912: bastore \nL9913: dup \nL9914: sipush 285 \nL9917: bipush 110 \nL9919: bastore \nL9920: dup \nL9921: sipush 286 \nL9924: bipush 115 \nL9926: bastore \nL9927: dup \nL9928: sipush 287 \nL9931: bipush 116 \nL9933: bastore \nL9934: dup \nL9935: sipush 288 \nL9938: iconst_0 \nL9939: bastore \nL9940: dup \nL9941: sipush 289 \nL9944: bipush 41 \nL9946: bastore \nL9947: dup \nL9948: sipush 290 \nL9951: bipush 91 \nL9953: bastore \nL9954: dup \nL9955: sipush 291 \nL9958: bipush 76 \nL9960: bastore \nL9961: dup \nL9962: sipush 292 \nL9965: bipush 106 \nL9967: bastore \nL9968: dup \nL9969: sipush 293 \nL9972: bipush 97 \nL9974: bastore \nL9975: dup \nL9976: sipush 294 \nL9979: bipush 118 \nL9981: bastore \nL9982: dup \nL9983: sipush 295 \nL9986: bipush 97 \nL9988: bastore \nL9989: dup \nL9990: sipush 296 \nL9993: bipush 120 \nL9995: bastore \nL9996: dup \nL9997: sipush 297 \nL10000: bipush 47 \nL10002: bastore \nL10003: dup \nL10004: sipush 298 \nL10007: bipush 109 \nL10009: bastore \nL10010: dup \nL10011: sipush 299 \nL10014: bipush 97 \nL10016: bastore \nL10017: dup \nL10018: sipush 300 \nL10021: bipush 110 \nL10023: bastore \nL10024: dup \nL10025: sipush 301 \nL10028: bipush 97 \nL10030: bastore \nL10031: dup \nL10032: sipush 302 \nL10035: bipush 103 \nL10037: bastore \nL10038: dup \nL10039: sipush 303 \nL10042: bipush 101 \nL10044: bastore \nL10045: dup \nL10046: sipush 304 \nL10049: bipush 109 \nL10051: bastore \nL10052: dup \nL10053: sipush 305 \nL10056: bipush 101 \nL10058: bastore \nL10059: dup \nL10060: sipush 306 \nL10063: bipush 110 \nL10065: bastore \nL10066: dup \nL10067: sipush 307 \nL10070: bipush 116 \nL10072: bastore \nL10073: dup \nL10074: sipush 308 \nL10077: bipush 47 \nL10079: bastore \nL10080: dup \nL10081: sipush 309 \nL10084: bipush 77 \nL10086: bastore \nL10087: dup \nL10088: sipush 310 \nL10091: bipush 66 \nL10093: bastore \nL10094: dup \nL10095: sipush 311 \nL10098: bipush 101 \nL10100: bastore \nL10101: dup \nL10102: sipush 312 \nL10105: bipush 97 \nL10107: bastore \nL10108: dup \nL10109: sipush 313 \nL10112: bipush 110 \nL10114: bastore \nL10115: dup \nL10116: sipush 314 \nL10119: bipush 78 \nL10121: bastore \nL10122: dup \nL10123: sipush 315 \nL10126: bipush 111 \nL10128: bastore \nL10129: dup \nL10130: sipush 316 \nL10133: bipush 116 \nL10135: bastore \nL10136: dup \nL10137: sipush 317 \nL10140: bipush 105 \nL10142: bastore \nL10143: dup \nL10144: sipush 318 \nL10147: bipush 102 \nL10149: bastore \nL10150: dup \nL10151: sipush 319 \nL10154: bipush 105 \nL10156: bastore \nL10157: dup \nL10158: sipush 320 \nL10161: bipush 99 \nL10163: bastore \nL10164: dup \nL10165: sipush 321 \nL10168: bipush 97 \nL10170: bastore \nL10171: dup \nL10172: sipush 322 \nL10175: bipush 116 \nL10177: bastore \nL10178: dup \nL10179: sipush 323 \nL10182: bipush 105 \nL10184: bastore \nL10185: dup \nL10186: sipush 324 \nL10189: bipush 111 \nL10191: bastore \nL10192: dup \nL10193: sipush 325 \nL10196: bipush 110 \nL10198: bastore \nL10199: dup \nL10200: sipush 326 \nL10203: bipush 73 \nL10205: bastore \nL10206: dup \nL10207: sipush 327 \nL10210: bipush 110 \nL10212: bastore \nL10213: dup \nL10214: sipush 328 \nL10217: bipush 102 \nL10219: bastore \nL10220: dup \nL10221: sipush 329 \nL10224: bipush 111 \nL10226: bastore \nL10227: dup \nL10228: sipush 330 \nL10231: bipush 59 \nL10233: bastore \nL10234: dup \nL10235: sipush 331 \nL10238: bipush 91 \nL10240: bastore \nL10241: dup \nL10242: sipush 332 \nL10245: iconst_0 \nL10246: bastore \nL10247: dup \nL10248: sipush 333 \nL10251: bipush 10 \nL10253: bastore \nL10254: dup \nL10255: sipush 334 \nL10258: bipush 111 \nL10260: bastore \nL10261: dup \nL10262: sipush 335 \nL10265: bipush 112 \nL10267: bastore \nL10268: dup \nL10269: sipush 336 \nL10272: bipush 101 \nL10274: bastore \nL10275: dup \nL10276: sipush 337 \nL10279: bipush 114 \nL10281: bastore \nL10282: dup \nL10283: sipush 338 \nL10286: bipush 97 \nL10288: bastore \nL10289: dup \nL10290: sipush 339 \nL10293: bipush 116 \nL10295: bastore \nL10296: dup \nL10297: sipush 340 \nL10300: bipush 105 \nL10302: bastore \nL10303: dup \nL10304: sipush 341 \nL10307: bipush 111 \nL10309: bastore \nL10310: dup \nL10311: sipush 342 \nL10314: bipush 110 \nL10316: bastore \nL10317: dup \nL10318: sipush 343 \nL10321: bipush 115 \nL10323: bastore \nL10324: dup \nL10325: sipush 344 \nL10328: bipush 116 \nL10330: bastore \nL10331: dup \nL10332: sipush 345 \nL10335: iconst_0 \nL10336: bastore \nL10337: dup \nL10338: sipush 346 \nL10341: bipush 38 \nL10343: bastore \nL10344: dup \nL10345: sipush 347 \nL10348: bipush 91 \nL10350: bastore \nL10351: dup \nL10352: sipush 348 \nL10355: bipush 76 \nL10357: bastore \nL10358: dup \nL10359: sipush 349 \nL10362: bipush 106 \nL10364: bastore \nL10365: dup \nL10366: sipush 350 \nL10369: bipush 97 \nL10371: bastore \nL10372: dup \nL10373: sipush 351 \nL10376: bipush 118 \nL10378: bastore \nL10379: dup \nL10380: sipush 352 \nL10383: bipush 97 \nL10385: bastore \nL10386: dup \nL10387: sipush 353 \nL10390: bipush 120 \nL10392: bastore \nL10393: dup \nL10394: sipush 354 \nL10397: bipush 47 \nL10399: bastore \nL10400: dup \nL10401: sipush 355 \nL10404: bipush 109 \nL10406: bastore \nL10407: dup \nL10408: sipush 356 \nL10411: bipush 97 \nL10413: bastore \nL10414: dup \nL10415: sipush 357 \nL10418: bipush 110 \nL10420: bastore \nL10421: dup \nL10422: sipush 358 \nL10425: bipush 97 \nL10427: bastore \nL10428: dup \nL10429: sipush 359 \nL10432: bipush 103 \nL10434: bastore \nL10435: dup \nL10436: sipush 360 \nL10439: bipush 101 \nL10441: bastore \nL10442: dup \nL10443: sipush 361 \nL10446: bipush 109 \nL10448: bastore \nL10449: dup \nL10450: sipush 362 \nL10453: bipush 101 \nL10455: bastore \nL10456: dup \nL10457: sipush 363 \nL10460: bipush 110 \nL10462: bastore \nL10463: dup \nL10464: sipush 364 \nL10467: bipush 116 \nL10469: bastore \nL10470: dup \nL10471: sipush 365 \nL10474: bipush 47 \nL10476: bastore \nL10477: dup \nL10478: sipush 366 \nL10481: bipush 77 \nL10483: bastore \nL10484: dup \nL10485: sipush 367 \nL10488: bipush 66 \nL10490: bastore \nL10491: dup \nL10492: sipush 368 \nL10495: bipush 101 \nL10497: bastore \nL10498: dup \nL10499: sipush 369 \nL10502: bipush 97 \nL10504: bastore \nL10505: dup \nL10506: sipush 370 \nL10509: bipush 110 \nL10511: bastore \nL10512: dup \nL10513: sipush 371 \nL10516: bipush 79 \nL10518: bastore \nL10519: dup \nL10520: sipush 372 \nL10523: bipush 112 \nL10525: bastore \nL10526: dup \nL10527: sipush 373 \nL10530: bipush 101 \nL10532: bastore \nL10533: dup \nL10534: sipush 374 \nL10537: bipush 114 \nL10539: bastore \nL10540: dup \nL10541: sipush 375 \nL10544: bipush 97 \nL10546: bastore \nL10547: dup \nL10548: sipush 376 \nL10551: bipush 116 \nL10553: bastore \nL10554: dup \nL10555: sipush 377 \nL10558: bipush 105 \nL10560: bastore \nL10561: dup \nL10562: sipush 378 \nL10565: bipush 111 \nL10567: bastore \nL10568: dup \nL10569: sipush 379 \nL10572: bipush 110 \nL10574: bastore \nL10575: dup \nL10576: sipush 380 \nL10579: bipush 73 \nL10581: bastore \nL10582: dup \nL10583: sipush 381 \nL10586: bipush 110 \nL10588: bastore \nL10589: dup \nL10590: sipush 382 \nL10593: bipush 102 \nL10595: bastore \nL10596: dup \nL10597: sipush 383 \nL10600: bipush 111 \nL10602: bastore \nL10603: dup \nL10604: sipush 384 \nL10607: bipush 59 \nL10609: bastore \nL10610: dup \nL10611: sipush 385 \nL10614: bipush 120 \nL10616: bastore \nL10617: dup \nL10618: sipush 386 \nL10621: bipush 112 \nL10623: bastore \nL10624: dup \nL10625: sipush 387 \nL10628: bipush 112 \nL10630: bastore \nL10631: dup \nL10632: sipush 388 \nL10635: bipush 112 \nL10637: bastore \nL10638: dup \nL10639: sipush 389 \nL10642: bipush 112 \nL10644: bastore \nL10645: dup \nL10646: sipush 390 \nL10649: bipush 112 \nL10651: bastore \nL10652: dup \nL10653: sipush 391 \nL10656: bipush 112 \nL10658: bastore \nL10659: dup \nL10660: sipush 392 \nL10663: bipush 112 \nL10665: bastore \nL10666: aastore \nL10667: putstatic Field SerializedMBeanInfo serializedMBeanInfos [[B \nL10670: return \nL10671: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SerializedMBeanInfo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 15:10:16 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SerializedMBeanInfo_ESTest extends SerializedMBeanInfo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SerializedMBeanInfo serializedMBeanInfo0 = new SerializedMBeanInfo();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 15:10:16 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SerializedMBeanInfo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SerializedMBeanInfo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpc4kzwqh9\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SerializedMBeanInfo_ESTest_scaffolding.class.getClassLoader() ,\n \"SerializedMBeanInfo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SerializedMBeanInfo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SerializedMBeanInfo\"\n );\n }\n}\n", "class_idx": 143} {"class_name": "UnsignedInt64", "java_source": "/**\n * @author Martin Bosslet\n */\nclass UnsignedInt64 {\n private UnsignedInt64() {}\n\n public static long binToInt(byte[] b) {\n return binToIntOffset(b, 0);\n }\n\n public static long binToIntOffset(byte[] b, int off) {\n return ((long) b[off])\n | ((long) b[off + 1]) << 8\n | ((long) b[off + 2]) << 16\n | ((long) b[off + 3]) << 24\n | ((long) b[off + 4]) << 32\n | ((long) b[off + 5]) << 40\n | ((long) b[off + 6]) << 48\n | ((long) b[off + 7]) << 56;\n }\n\n public static void intToBin(long l, byte[] b) {\n b[0] = (byte) (l & 0xff);\n b[1] = (byte) ((l >>> 8) & 0xff);\n b[2] = (byte) ((l >>> 16) & 0xff);\n b[3] = (byte) ((l >>> 24) & 0xff);\n b[4] = (byte) ((l >>> 32) & 0xff);\n b[5] = (byte) ((l >>> 40) & 0xff);\n b[6] = (byte) ((l >>> 48) & 0xff);\n b[7] = (byte) ((l >>> 56) & 0xff);\n }\n\n public static long rotateLeft(long l, int shift) {\n return (l << shift) | l >>> (64 - shift);\n }\n}\n", "jasm_code": ".version 52 0 \n.class super UnsignedInt64 \n.super java/lang/Object \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public static binToInt : ([B)J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: invokestatic Method UnsignedInt64 binToIntOffset ([BI)J \nL5: lreturn \nL6: \n .linenumbertable \n L0 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public static binToIntOffset : ([BI)J \n .code stack 5 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: baload \nL3: i2l \nL4: aload_0 \nL5: iload_1 \nL6: iconst_1 \nL7: iadd \nL8: baload \nL9: i2l \nL10: bipush 8 \nL12: lshl \nL13: lor \nL14: aload_0 \nL15: iload_1 \nL16: iconst_2 \nL17: iadd \nL18: baload \nL19: i2l \nL20: bipush 16 \nL22: lshl \nL23: lor \nL24: aload_0 \nL25: iload_1 \nL26: iconst_3 \nL27: iadd \nL28: baload \nL29: i2l \nL30: bipush 24 \nL32: lshl \nL33: lor \nL34: aload_0 \nL35: iload_1 \nL36: iconst_4 \nL37: iadd \nL38: baload \nL39: i2l \nL40: bipush 32 \nL42: lshl \nL43: lor \nL44: aload_0 \nL45: iload_1 \nL46: iconst_5 \nL47: iadd \nL48: baload \nL49: i2l \nL50: bipush 40 \nL52: lshl \nL53: lor \nL54: aload_0 \nL55: iload_1 \nL56: bipush 6 \nL58: iadd \nL59: baload \nL60: i2l \nL61: bipush 48 \nL63: lshl \nL64: lor \nL65: aload_0 \nL66: iload_1 \nL67: bipush 7 \nL69: iadd \nL70: baload \nL71: i2l \nL72: bipush 56 \nL74: lshl \nL75: lor \nL76: lreturn \nL77: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public static intToBin : (J[B)V \n .code stack 6 locals 3 \nL0: aload_2 \nL1: iconst_0 \nL2: lload_0 \nL3: ldc2_w 255L \nL6: land \nL7: l2i \nL8: i2b \nL9: bastore \nL10: aload_2 \nL11: iconst_1 \nL12: lload_0 \nL13: bipush 8 \nL15: lushr \nL16: ldc2_w 255L \nL19: land \nL20: l2i \nL21: i2b \nL22: bastore \nL23: aload_2 \nL24: iconst_2 \nL25: lload_0 \nL26: bipush 16 \nL28: lushr \nL29: ldc2_w 255L \nL32: land \nL33: l2i \nL34: i2b \nL35: bastore \nL36: aload_2 \nL37: iconst_3 \nL38: lload_0 \nL39: bipush 24 \nL41: lushr \nL42: ldc2_w 255L \nL45: land \nL46: l2i \nL47: i2b \nL48: bastore \nL49: aload_2 \nL50: iconst_4 \nL51: lload_0 \nL52: bipush 32 \nL54: lushr \nL55: ldc2_w 255L \nL58: land \nL59: l2i \nL60: i2b \nL61: bastore \nL62: aload_2 \nL63: iconst_5 \nL64: lload_0 \nL65: bipush 40 \nL67: lushr \nL68: ldc2_w 255L \nL71: land \nL72: l2i \nL73: i2b \nL74: bastore \nL75: aload_2 \nL76: bipush 6 \nL78: lload_0 \nL79: bipush 48 \nL81: lushr \nL82: ldc2_w 255L \nL85: land \nL86: l2i \nL87: i2b \nL88: bastore \nL89: aload_2 \nL90: bipush 7 \nL92: lload_0 \nL93: bipush 56 \nL95: lushr \nL96: ldc2_w 255L \nL99: land \nL100: l2i \nL101: i2b \nL102: bastore \nL103: return \nL104: \n .linenumbertable \n L0 26 \n L10 27 \n L23 28 \n L36 29 \n L49 30 \n L62 31 \n L75 32 \n L89 33 \n L103 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public static rotateLeft : (JI)J \n .code stack 6 locals 3 \nL0: lload_0 \nL1: iload_2 \nL2: lshl \nL3: lload_0 \nL4: bipush 64 \nL6: iload_2 \nL7: isub \nL8: lushr \nL9: lor \nL10: lreturn \nL11: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UnsignedInt64.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 12:34:15 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UnsignedInt64_ESTest extends UnsignedInt64_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n long long0 = UnsignedInt64.rotateLeft((-73044L), 0);\n assertEquals((-73044L), long0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n byte[] byteArray0 = new byte[7];\n // Undeclared exception!\n try { \n UnsignedInt64.intToBin((-70402L), byteArray0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 7\n //\n verifyException(\"UnsignedInt64\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n byte[] byteArray0 = new byte[9];\n UnsignedInt64.intToBin(39214L, byteArray0);\n assertArrayEquals(new byte[] {(byte)46, (byte) (-103), (byte)0, (byte)0, (byte)0, (byte)0, (byte)0, (byte)0, (byte)0}, byteArray0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[0] = (byte) (-127);\n byteArray0[7] = (byte)1;\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals((-127L), long0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[7] = (byte)1;\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals(72057594037927936L, long0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[0] = (byte) (-127);\n byteArray0[6] = (byte)67;\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals((-127L), long0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[0] = (byte) (-127);\n byteArray0[5] = (byte)4;\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals((-127L), long0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[1] = (byte) (-57);\n byteArray0[4] = (byte) (-72);\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals((-14592L), long0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n byte[] byteArray0 = new byte[8];\n byteArray0[1] = (byte) (-14);\n byteArray0[3] = (byte) (-1);\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals((-3584L), long0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[1] = (byte) (-57);\n byteArray0[2] = (byte)1;\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals((-14592L), long0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n byte[] byteArray0 = new byte[5];\n byteArray0[0] = (byte) (-28);\n byteArray0[1] = (byte) (-1);\n // Undeclared exception!\n try { \n UnsignedInt64.binToIntOffset(byteArray0, 0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 5\n //\n verifyException(\"UnsignedInt64\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n long long0 = UnsignedInt64.rotateLeft(1L, (-64058));\n assertEquals(64L, long0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n long long0 = UnsignedInt64.rotateLeft((-83763L), 24944);\n assertEquals((-5130162925528416258L), long0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[0] = (byte)52;\n long long0 = UnsignedInt64.binToInt(byteArray0);\n assertEquals(52L, long0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n byte[] byteArray0 = new byte[9];\n byteArray0[0] = (byte) (-111);\n long long0 = UnsignedInt64.binToInt(byteArray0);\n assertEquals((-111L), long0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n byte[] byteArray0 = new byte[9];\n long long0 = UnsignedInt64.binToIntOffset(byteArray0, (byte)0);\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n long long0 = UnsignedInt64.rotateLeft(0L, 0);\n assertEquals(0L, long0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 12:34:15 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UnsignedInt64_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UnsignedInt64\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp0fr9edsa\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UnsignedInt64_ESTest_scaffolding.class.getClassLoader() ,\n \"UnsignedInt64\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UnsignedInt64_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UnsignedInt64\"\n );\n }\n}\n", "class_idx": 144} {"class_name": "CannotCrawlException", "java_source": "/**\n * Copyright 2011 Joao Miguel Pereira\n *\n *

Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use this file\n * except in compliance with the License. You may obtain a copy of the License at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * @author windows\n */\npublic class CannotCrawlException extends Exception {\n\n /** */\n private static final long serialVersionUID = 5969531467220709871L;\n\n /**\n * @param e\n */\n public CannotCrawlException(Exception e) {\n super(e);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CannotCrawlException \n.super java/lang/Exception \n.field private static final serialVersionUID J = 5969531467220709871L \n\n.method public : (Ljava/lang/Exception;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 33 \n L5 34 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CannotCrawlException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 12:15:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockException;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CannotCrawlException_ESTest extends CannotCrawlException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockException mockException0 = new MockException();\n CannotCrawlException cannotCrawlException0 = new CannotCrawlException(mockException0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 12:15:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CannotCrawlException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CannotCrawlException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpgk6u3xw7\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CannotCrawlException_ESTest_scaffolding.class.getClassLoader() ,\n \"CannotCrawlException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CannotCrawlException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CannotCrawlException\"\n );\n }\n}\n", "class_idx": 145} {"class_name": "PropertyChangedEvent", "java_source": "import java.util.EventObject;\n\npublic class PropertyChangedEvent extends EventObject {\n\n private Object oldValue = null;\n private Object newValue = null;\n private String changeType = null;\n\n public PropertyChangedEvent(Object source, String changeType, Object oldValue, Object newValue) {\n\n super(source);\n\n this.changeType = changeType;\n this.oldValue = oldValue;\n this.newValue = newValue;\n }\n\n public Object getNewValue() {\n\n return this.newValue;\n }\n\n public Object getOldValue() {\n\n return this.oldValue;\n }\n\n public String getChangeType() {\n\n return this.changeType;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PropertyChangedEvent \n.super java/util/EventObject \n.field private oldValue Ljava/lang/Object; \n.field private newValue Ljava/lang/Object; \n.field private changeType Ljava/lang/String; \n\n.method public : (Ljava/lang/Object;Ljava/lang/String;Ljava/lang/Object;Ljava/lang/Object;)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/util/EventObject (Ljava/lang/Object;)V \nL5: aload_0 \nL6: aconst_null \nL7: putfield Field PropertyChangedEvent oldValue Ljava/lang/Object; \nL10: aload_0 \nL11: aconst_null \nL12: putfield Field PropertyChangedEvent newValue Ljava/lang/Object; \nL15: aload_0 \nL16: aconst_null \nL17: putfield Field PropertyChangedEvent changeType Ljava/lang/String; \nL20: aload_0 \nL21: aload_2 \nL22: putfield Field PropertyChangedEvent changeType Ljava/lang/String; \nL25: aload_0 \nL26: aload_3 \nL27: putfield Field PropertyChangedEvent oldValue Ljava/lang/Object; \nL30: aload_0 \nL31: aload 4 \nL33: putfield Field PropertyChangedEvent newValue Ljava/lang/Object; \nL36: return \nL37: \n .linenumbertable \n L0 19 \n L5 9 \n L10 10 \n L15 11 \n L20 21 \n L25 22 \n L30 23 \n L36 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public getNewValue : ()Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyChangedEvent newValue Ljava/lang/Object; \nL4: areturn \nL5: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public getOldValue : ()Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyChangedEvent oldValue Ljava/lang/Object; \nL4: areturn \nL5: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public getChangeType : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PropertyChangedEvent changeType Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PropertyChangedEvent.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:48:36 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PropertyChangedEvent_ESTest extends PropertyChangedEvent_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Object object0 = new Object();\n PropertyChangedEvent propertyChangedEvent0 = new PropertyChangedEvent(object0, (String) null, (Object) null, object0);\n Object object1 = propertyChangedEvent0.getOldValue();\n assertNull(object1);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Object object0 = new Object();\n PropertyChangedEvent propertyChangedEvent0 = new PropertyChangedEvent(object0, (String) null, (Object) null, object0);\n Object object1 = propertyChangedEvent0.getNewValue();\n assertSame(object1, object0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Object object0 = new Object();\n PropertyChangedEvent propertyChangedEvent0 = new PropertyChangedEvent(object0, (String) null, (Object) null, object0);\n String string0 = propertyChangedEvent0.getChangeType();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n PropertyChangedEvent propertyChangedEvent0 = new PropertyChangedEvent(\"\", \"\", \"\", \"\");\n String string0 = propertyChangedEvent0.getChangeType();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Object object0 = new Object();\n PropertyChangedEvent propertyChangedEvent0 = new PropertyChangedEvent(object0, \"|=P`4 : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: return \nL5: \n .linenumbertable \n L0 9 \n L4 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 14 \n L5 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 19 \n L5 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 24 \n L6 25 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CarbonException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 11:23:49 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CarbonException_ESTest extends CarbonException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CarbonException carbonException0 = new CarbonException();\n CarbonException carbonException1 = new CarbonException(\"\", carbonException0);\n assertFalse(carbonException1.equals((Object)carbonException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n CarbonException carbonException0 = new CarbonException(\"^Q!<]\n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights\nto use, copy, modify, merge, publish, distribute, sublicense, and/or sell\ncopies of the Software, and to permit persons to whom the Software is\nfurnished to do so, subject to the following conditions:\n\nThe above copyright notice and this permission notice shall be included in\nall copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\nIMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\nFITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\nAUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\nLIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\nOUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\nTHE SOFTWARE.\n*/\n\nimport java.util.HashMap;\nimport java.util.List;\nimport java.util.Map;\n\npublic class HttpHeaderCollection extends HashMap {\n private static final long serialVersionUID = 1L;\n\n public static HttpHeaderCollection FromMap(Map> headers) {\n HttpHeaderCollection result = new HttpHeaderCollection();\n\n for (Map.Entry> entry : headers.entrySet()) {\n if (entry.getKey() != null && entry.getValue().size() != 0) {\n result.put(entry.getKey(), entry.getValue().get(0));\n }\n }\n\n return result;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super HttpHeaderCollection \n.super java/util/HashMap \n.field private static final serialVersionUID J = 1L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/util/HashMap ()V \nL4: return \nL5: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public static FromMap : (Ljava/util/Map;)LHttpHeaderCollection; \n .code stack 4 locals 4 \nL0: new HttpHeaderCollection \nL3: dup \nL4: invokespecial Method HttpHeaderCollection ()V \nL7: astore_1 \nL8: aload_0 \nL9: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1 \nL14: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1 \nL19: astore_2 \n\n .stack append Object HttpHeaderCollection Object java/util/Iterator \nL20: aload_2 \nL21: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL26: ifeq L94 \nL29: aload_2 \nL30: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL35: checkcast java/util/Map$Entry \nL38: astore_3 \nL39: aload_3 \nL40: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 \nL45: ifnull L91 \nL48: aload_3 \nL49: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 \nL54: checkcast java/util/List \nL57: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL62: ifeq L91 \nL65: aload_1 \nL66: aload_3 \nL67: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 \nL72: aload_3 \nL73: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 \nL78: checkcast java/util/List \nL81: iconst_0 \nL82: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 \nL87: invokevirtual Method HttpHeaderCollection put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL90: pop \n\n .stack same_extended \nL91: goto L20 \n\n .stack chop 1 \nL94: aload_1 \nL95: areturn \nL96: \n .linenumbertable \n L0 34 \n L8 36 \n L39 37 \n L65 38 \n L91 40 \n L94 42 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Map;>;)LHttpHeaderCollection; \n.end method \n.signature Ljava/util/HashMap; \n.sourcefile 'HttpHeaderCollection.java' \n.innerclasses \n java/util/Map$Entry java/util/Map Entry public static interface abstract \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 13:16:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.HashMap;\nimport java.util.LinkedList;\nimport java.util.List;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HttpHeaderCollection_ESTest extends HttpHeaderCollection_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n HashMap> hashMap0 = new HashMap>();\n LinkedList linkedList0 = new LinkedList();\n hashMap0.put(\"Wf|s0*\", linkedList0);\n HttpHeaderCollection httpHeaderCollection0 = HttpHeaderCollection.FromMap(hashMap0);\n assertTrue(httpHeaderCollection0.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n HttpHeaderCollection httpHeaderCollection0 = new HttpHeaderCollection();\n assertEquals(0, httpHeaderCollection0.size());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n HashMap> hashMap0 = new HashMap>();\n LinkedList linkedList0 = new LinkedList();\n linkedList0.add(\"\");\n hashMap0.put(\"\", linkedList0);\n HttpHeaderCollection.FromMap(hashMap0);\n HttpHeaderCollection httpHeaderCollection0 = HttpHeaderCollection.FromMap(hashMap0);\n assertFalse(httpHeaderCollection0.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n HashMap> hashMap0 = new HashMap>();\n hashMap0.put((String) null, (List) null);\n HttpHeaderCollection httpHeaderCollection0 = HttpHeaderCollection.FromMap(hashMap0);\n assertTrue(httpHeaderCollection0.isEmpty());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 13:16:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HttpHeaderCollection_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HttpHeaderCollection\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp8sd69jqn\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HttpHeaderCollection_ESTest_scaffolding.class.getClassLoader() ,\n \"HttpHeaderCollection\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HttpHeaderCollection_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HttpHeaderCollection\"\n );\n }\n}\n", "class_idx": 148} {"class_name": "Leetcode322CoinChange5", "java_source": "// Copyright 2017 The KeepTry Open Source Project\n//\n// Licensed under the Apache License, Version 2.0 (the \"License\");\n// you may not use this file except in compliance with the License.\n// You may obtain a copy of the License at\n//\n// http://www.apache.org/licenses/LICENSE-2.0\n//\n// Unless required by applicable law or agreed to in writing, software\n// distributed under the License is distributed on an \"AS IS\" BASIS,\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n// See the License for the specific language governing permissions and\n// limitations under the License.\n//\n\npublic class Leetcode322CoinChange5 {\n\n // Time out\n // runtime complexity\n // space complexity: coins length\n public static int coinChange(int[] coins, int A) {\n int[] r = new int[] {Integer.MAX_VALUE};\n int[] aSolution = new int[coins.length];\n recursion(coins, A, 0, r, aSolution);\n return r[0] == Integer.MAX_VALUE ? -1 : r[0];\n }\n\n private static void recursion(int[] coins, int left, int i, int[] re, int[] numOfCoin) {\n if (left == 0) {\n int result = count(numOfCoin);\n re[0] = Math.min(re[0], result);\n }\n if (i == coins.length) {\n return;\n }\n\n int n = 0, maxNum = left / coins[i];\n while (n <= maxNum) {\n numOfCoin[i] = n;\n recursion(coins, left - n * coins[i], i + 1, re, numOfCoin);\n n++;\n }\n }\n\n private static int count(int[] arr) {\n int result = 0;\n for (int i : arr) {\n result += i;\n }\n return result;\n }\n // -----------------------------------------------------------------------------\n public static void main(String[] args) {\n System.out.println(\"result: \" + coinChange(new int[] {1}, 0));\n System.out.println(\"result: \" + coinChange(new int[] {1, 2, 4, 5}, 8));\n System.out.println(\"result: \" + coinChange(new int[] {2}, 3));\n System.out.println(\"result: \" + coinChange(new int[] {1, 2, 5}, 11));\n System.out.println(\"result: \" + coinChange(new int[] {1}, 2));\n System.out.println(\"result: \" + coinChange(new int[] {470, 35, 120, 81, 121}, 9825));\n System.out.println(\"result: \" + coinChange(new int[] {346, 29, 395, 188, 155, 109}, 9401));\n System.out.println(\"result: \" + coinChange(new int[] {1, 2147483647}, 2));\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Leetcode322CoinChange5 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public static coinChange : ([II)I \n .code stack 5 locals 4 \nL0: iconst_1 \nL1: newarray int \nL3: dup \nL4: iconst_0 \nL5: ldc 2147483647 \nL7: iastore \nL8: astore_2 \nL9: aload_0 \nL10: arraylength \nL11: newarray int \nL13: astore_3 \nL14: aload_0 \nL15: iload_1 \nL16: iconst_0 \nL17: aload_2 \nL18: aload_3 \nL19: invokestatic Method Leetcode322CoinChange5 recursion ([III[I[I)V \nL22: aload_2 \nL23: iconst_0 \nL24: iaload \nL25: ldc 2147483647 \nL27: if_icmpne L34 \nL30: iconst_m1 \nL31: goto L37 \n\n .stack append Object [I Object [I \nL34: aload_2 \nL35: iconst_0 \nL36: iaload \n\n .stack stack_1 Integer \nL37: ireturn \nL38: \n .linenumbertable \n L0 24 \n L9 25 \n L14 26 \n L22 27 \n .end linenumbertable \n .end code \n.end method \n\n.method private static recursion : ([III[I[I)V \n .code stack 5 locals 7 \nL0: iload_1 \nL1: ifne L22 \nL4: aload 4 \nL6: invokestatic Method Leetcode322CoinChange5 count ([I)I \nL9: istore 5 \nL11: aload_3 \nL12: iconst_0 \nL13: aload_3 \nL14: iconst_0 \nL15: iaload \nL16: iload 5 \nL18: invokestatic Method java/lang/Math min (II)I \nL21: iastore \n\n .stack same \nL22: iload_2 \nL23: aload_0 \nL24: arraylength \nL25: if_icmpne L29 \nL28: return \n\n .stack same \nL29: iconst_0 \nL30: istore 5 \nL32: iload_1 \nL33: aload_0 \nL34: iload_2 \nL35: iaload \nL36: idiv \nL37: istore 6 \n\n .stack append Integer Integer \nL39: iload 5 \nL41: iload 6 \nL43: if_icmpgt L76 \nL46: aload 4 \nL48: iload_2 \nL49: iload 5 \nL51: iastore \nL52: aload_0 \nL53: iload_1 \nL54: iload 5 \nL56: aload_0 \nL57: iload_2 \nL58: iaload \nL59: imul \nL60: isub \nL61: iload_2 \nL62: iconst_1 \nL63: iadd \nL64: aload_3 \nL65: aload 4 \nL67: invokestatic Method Leetcode322CoinChange5 recursion ([III[I[I)V \nL70: iinc 5 1 \nL73: goto L39 \n\n .stack same \nL76: return \nL77: \n .linenumbertable \n L0 31 \n L4 32 \n L11 33 \n L22 35 \n L28 36 \n L29 39 \n L39 40 \n L46 41 \n L52 42 \n L70 43 \n L76 45 \n .end linenumbertable \n .end code \n.end method \n\n.method private static count : ([I)I \n .code stack 2 locals 6 \nL0: iconst_0 \nL1: istore_1 \nL2: aload_0 \nL3: astore_2 \nL4: aload_2 \nL5: arraylength \nL6: istore_3 \nL7: iconst_0 \nL8: istore 4 \n\n .stack full \n locals Object [I Integer Object [I Integer Integer \n stack \n .end stack \nL10: iload 4 \nL12: iload_3 \nL13: if_icmpge L33 \nL16: aload_2 \nL17: iload 4 \nL19: iaload \nL20: istore 5 \nL22: iload_1 \nL23: iload 5 \nL25: iadd \nL26: istore_1 \nL27: iinc 4 1 \nL30: goto L10 \n\n .stack chop 3 \nL33: iload_1 \nL34: ireturn \nL35: \n .linenumbertable \n L0 48 \n L2 49 \n L22 50 \n L27 49 \n L33 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 6 locals 1 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: new java/lang/StringBuilder \nL6: dup \nL7: invokespecial Method java/lang/StringBuilder ()V \nL10: ldc 'result: ' \nL12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL15: iconst_1 \nL16: newarray int \nL18: dup \nL19: iconst_0 \nL20: iconst_1 \nL21: iastore \nL22: iconst_0 \nL23: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL26: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL29: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL32: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL35: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL38: new java/lang/StringBuilder \nL41: dup \nL42: invokespecial Method java/lang/StringBuilder ()V \nL45: ldc 'result: ' \nL47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL50: iconst_4 \nL51: newarray int \nL53: dup \nL54: iconst_0 \nL55: iconst_1 \nL56: iastore \nL57: dup \nL58: iconst_1 \nL59: iconst_2 \nL60: iastore \nL61: dup \nL62: iconst_2 \nL63: iconst_4 \nL64: iastore \nL65: dup \nL66: iconst_3 \nL67: iconst_5 \nL68: iastore \nL69: bipush 8 \nL71: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL74: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL77: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL80: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL83: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL86: new java/lang/StringBuilder \nL89: dup \nL90: invokespecial Method java/lang/StringBuilder ()V \nL93: ldc 'result: ' \nL95: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL98: iconst_1 \nL99: newarray int \nL101: dup \nL102: iconst_0 \nL103: iconst_2 \nL104: iastore \nL105: iconst_3 \nL106: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL109: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL112: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL115: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL118: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL121: new java/lang/StringBuilder \nL124: dup \nL125: invokespecial Method java/lang/StringBuilder ()V \nL128: ldc 'result: ' \nL130: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL133: iconst_3 \nL134: newarray int \nL136: dup \nL137: iconst_0 \nL138: iconst_1 \nL139: iastore \nL140: dup \nL141: iconst_1 \nL142: iconst_2 \nL143: iastore \nL144: dup \nL145: iconst_2 \nL146: iconst_5 \nL147: iastore \nL148: bipush 11 \nL150: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL153: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL156: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL159: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL162: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL165: new java/lang/StringBuilder \nL168: dup \nL169: invokespecial Method java/lang/StringBuilder ()V \nL172: ldc 'result: ' \nL174: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL177: iconst_1 \nL178: newarray int \nL180: dup \nL181: iconst_0 \nL182: iconst_1 \nL183: iastore \nL184: iconst_2 \nL185: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL188: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL191: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL194: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL197: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL200: new java/lang/StringBuilder \nL203: dup \nL204: invokespecial Method java/lang/StringBuilder ()V \nL207: ldc 'result: ' \nL209: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL212: iconst_5 \nL213: newarray int \nL215: dup \nL216: iconst_0 \nL217: sipush 470 \nL220: iastore \nL221: dup \nL222: iconst_1 \nL223: bipush 35 \nL225: iastore \nL226: dup \nL227: iconst_2 \nL228: bipush 120 \nL230: iastore \nL231: dup \nL232: iconst_3 \nL233: bipush 81 \nL235: iastore \nL236: dup \nL237: iconst_4 \nL238: bipush 121 \nL240: iastore \nL241: sipush 9825 \nL244: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL247: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL250: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL253: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL256: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL259: new java/lang/StringBuilder \nL262: dup \nL263: invokespecial Method java/lang/StringBuilder ()V \nL266: ldc 'result: ' \nL268: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL271: bipush 6 \nL273: newarray int \nL275: dup \nL276: iconst_0 \nL277: sipush 346 \nL280: iastore \nL281: dup \nL282: iconst_1 \nL283: bipush 29 \nL285: iastore \nL286: dup \nL287: iconst_2 \nL288: sipush 395 \nL291: iastore \nL292: dup \nL293: iconst_3 \nL294: sipush 188 \nL297: iastore \nL298: dup \nL299: iconst_4 \nL300: sipush 155 \nL303: iastore \nL304: dup \nL305: iconst_5 \nL306: bipush 109 \nL308: iastore \nL309: sipush 9401 \nL312: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL315: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL318: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL321: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL324: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL327: new java/lang/StringBuilder \nL330: dup \nL331: invokespecial Method java/lang/StringBuilder ()V \nL334: ldc 'result: ' \nL336: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL339: iconst_2 \nL340: newarray int \nL342: dup \nL343: iconst_0 \nL344: iconst_1 \nL345: iastore \nL346: dup \nL347: iconst_1 \nL348: ldc 2147483647 \nL350: iastore \nL351: iconst_2 \nL352: invokestatic Method Leetcode322CoinChange5 coinChange ([II)I \nL355: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL358: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL361: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL364: return \nL365: \n .linenumbertable \n L0 56 \n L35 57 \n L83 58 \n L118 59 \n L162 60 \n L197 61 \n L256 62 \n L324 63 \n L364 64 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Leetcode322CoinChange5.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 03:26:46 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Leetcode322CoinChange5_ESTest extends Leetcode322CoinChange5_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n int[] intArray0 = new int[6];\n intArray0[0] = 0;\n intArray0[1] = 0;\n intArray0[2] = (-84862);\n intArray0[3] = (-21276);\n intArray0[4] = 0;\n intArray0[5] = (-11934);\n // Undeclared exception!\n try { \n Leetcode322CoinChange5.coinChange(intArray0, (-21276));\n fail(\"Expecting exception: ArithmeticException\");\n \n } catch(ArithmeticException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[3];\n stringArray0[0] = \";d,SJMTISP\";\n stringArray0[1] = \"result: \";\n stringArray0[2] = \"Leetcode322CoinChange5\";\n // Undeclared exception!\n Leetcode322CoinChange5.main(stringArray0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String[] stringArray0 = new String[1];\n stringArray0[0] = \"8\\\"BHJ z WR4kK#Zn[>\";\n // Undeclared exception!\n Leetcode322CoinChange5.main(stringArray0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 03:26:46 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Leetcode322CoinChange5_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Leetcode322CoinChange5\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfjboknh4\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Leetcode322CoinChange5_ESTest_scaffolding.class.getClassLoader() ,\n \"Leetcode322CoinChange5\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Leetcode322CoinChange5_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Leetcode322CoinChange5\"\n );\n }\n}\n", "class_idx": 149} {"class_name": "UF", "java_source": "public class UF {\n private final int[] id;\n private final int[] size;\n private int count;\n\n public UF(int n) {\n id = new int[n];\n size = new int[n];\n for (int i = 0; i < n; i++) {\n id[i] = i;\n size[i] = 1;\n }\n count++;\n }\n\n public boolean connected(int p, int q) {\n return find(p) == find(q);\n }\n\n public int find(int p) {\n while (p != id[p]) {\n p = id[p];\n }\n return p;\n }\n\n public void union(int p, int q) {\n int i = find(p);\n int j = find(q);\n if (i == j) {\n return;\n }\n if (size[i] < size[j]) {\n id[i] = j;\n size[j] += size[i];\n } else {\n id[j] = i;\n size[i] += size[j];\n }\n count--;\n }\n\n public int count() {\n return count;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UF \n.super java/lang/Object \n.field private final id [I \n.field private final size [I \n.field private count I \n\n.method public : (I)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: newarray int \nL8: putfield Field UF id [I \nL11: aload_0 \nL12: iload_1 \nL13: newarray int \nL15: putfield Field UF size [I \nL18: iconst_0 \nL19: istore_2 \n\n .stack full \n locals Object UF Integer Integer \n stack \n .end stack \nL20: iload_2 \nL21: iload_1 \nL22: if_icmpge L45 \nL25: aload_0 \nL26: getfield Field UF id [I \nL29: iload_2 \nL30: iload_2 \nL31: iastore \nL32: aload_0 \nL33: getfield Field UF size [I \nL36: iload_2 \nL37: iconst_1 \nL38: iastore \nL39: iinc 2 1 \nL42: goto L20 \n\n .stack chop 1 \nL45: aload_0 \nL46: dup \nL47: getfield Field UF count I \nL50: iconst_1 \nL51: iadd \nL52: putfield Field UF count I \nL55: return \nL56: \n .linenumbertable \n L0 8 \n L4 9 \n L11 10 \n L18 11 \n L25 12 \n L32 13 \n L39 11 \n L45 15 \n L55 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public connected : (II)Z \n .code stack 3 locals 3 \nL0: aload_0 \nL1: iload_1 \nL2: invokevirtual Method UF find (I)I \nL5: aload_0 \nL6: iload_2 \nL7: invokevirtual Method UF find (I)I \nL10: if_icmpne L17 \nL13: iconst_1 \nL14: goto L18 \n\n .stack same \nL17: iconst_0 \n\n .stack stack_1 Integer \nL18: ireturn \nL19: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public find : (I)I \n .code stack 3 locals 2 \n\n .stack same \nL0: iload_1 \nL1: aload_0 \nL2: getfield Field UF id [I \nL5: iload_1 \nL6: iaload \nL7: if_icmpeq L20 \nL10: aload_0 \nL11: getfield Field UF id [I \nL14: iload_1 \nL15: iaload \nL16: istore_1 \nL17: goto L0 \n\n .stack same \nL20: iload_1 \nL21: ireturn \nL22: \n .linenumbertable \n L0 23 \n L10 24 \n L20 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public union : (II)V \n .code stack 5 locals 5 \nL0: aload_0 \nL1: iload_1 \nL2: invokevirtual Method UF find (I)I \nL5: istore_3 \nL6: aload_0 \nL7: iload_2 \nL8: invokevirtual Method UF find (I)I \nL11: istore 4 \nL13: iload_3 \nL14: iload 4 \nL16: if_icmpne L20 \nL19: return \n\n .stack append Integer Integer \nL20: aload_0 \nL21: getfield Field UF size [I \nL24: iload_3 \nL25: iaload \nL26: aload_0 \nL27: getfield Field UF size [I \nL30: iload 4 \nL32: iaload \nL33: if_icmpge L63 \nL36: aload_0 \nL37: getfield Field UF id [I \nL40: iload_3 \nL41: iload 4 \nL43: iastore \nL44: aload_0 \nL45: getfield Field UF size [I \nL48: iload 4 \nL50: dup2 \nL51: iaload \nL52: aload_0 \nL53: getfield Field UF size [I \nL56: iload_3 \nL57: iaload \nL58: iadd \nL59: iastore \nL60: goto L87 \n\n .stack same \nL63: aload_0 \nL64: getfield Field UF id [I \nL67: iload 4 \nL69: iload_3 \nL70: iastore \nL71: aload_0 \nL72: getfield Field UF size [I \nL75: iload_3 \nL76: dup2 \nL77: iaload \nL78: aload_0 \nL79: getfield Field UF size [I \nL82: iload 4 \nL84: iaload \nL85: iadd \nL86: iastore \n\n .stack same \nL87: aload_0 \nL88: dup \nL89: getfield Field UF count I \nL92: iconst_1 \nL93: isub \nL94: putfield Field UF count I \nL97: return \nL98: \n .linenumbertable \n L0 30 \n L6 31 \n L13 32 \n L19 33 \n L20 35 \n L36 36 \n L44 37 \n L63 39 \n L71 40 \n L87 42 \n L97 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public count : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UF count I \nL4: ireturn \nL5: \n .linenumbertable \n L0 46 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UF.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 23:38:38 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UF_ESTest extends UF_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n UF uF0 = new UF(1);\n int int0 = uF0.count();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n UF uF0 = new UF(0);\n // Undeclared exception!\n try { \n uF0.find((-64907));\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // -64907\n //\n verifyException(\"UF\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n int int0 = 0;\n UF uF0 = new UF(0);\n int int1 = 0;\n // Undeclared exception!\n try { \n uF0.union(25120, 0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 25120\n //\n verifyException(\"UF\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n int int0 = 59256;\n UF uF0 = new UF(59256);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n int int0 = 14463;\n UF uF0 = new UF(14463);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n UF uF0 = null;\n try {\n uF0 = new UF((-45686));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"UF\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n int int0 = 0;\n UF uF0 = new UF(0);\n // Undeclared exception!\n try { \n uF0.union(0, 0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 0\n //\n verifyException(\"UF\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n int int0 = 0;\n UF uF0 = new UF(0);\n int int1 = 3216;\n // Undeclared exception!\n try { \n uF0.union(3216, 3216);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 3216\n //\n verifyException(\"UF\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n int int0 = 0;\n UF uF0 = new UF(0);\n int int1 = 0;\n int int2 = 0;\n int int3 = (-32323);\n // Undeclared exception!\n try { \n uF0.union((-32323), 0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // -32323\n //\n verifyException(\"UF\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n int int0 = (-12291);\n UF uF0 = null;\n try {\n uF0 = new UF((-12291));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"UF\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n int int0 = 8989;\n UF uF0 = new UF(8989);\n int int1 = 0;\n int int2 = 1;\n uF0.union(0, 1);\n int int3 = 1;\n uF0.connected(0, 1);\n // Undeclared exception!\n try { \n uF0.union(10742, 0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 10742\n //\n verifyException(\"UF\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 23:38:38 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UF_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UF\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp4ea0y50p\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UF_ESTest_scaffolding.class.getClassLoader() ,\n \"UF\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UF_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UF\"\n );\n }\n}\n", "class_idx": 150} {"class_name": "HttpException", "java_source": "/*\n * Copyright 2011 Google Inc. All Rights Reserved.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * An exception that will be turned into a certain HTTP response code and message.\n *\n *

Note that ServerExceptionFilter will log HttpExceptions at level INFO. When catching a more\n * severe exception, make sure you log it with appropriate severity before rethrowing it as an\n * HttpException.\n *\n * @author ohler@google.com (Christian Ohler)\n */\n// TODO(ohler): Determine if it's worthwhile to make this a checked exception.\npublic abstract class HttpException extends RuntimeException {\n private static final long serialVersionUID = 12502799019479088L;\n\n public HttpException() {}\n\n public HttpException(String message) {\n super(message);\n }\n\n public HttpException(Throwable cause) {\n super(cause);\n }\n\n public HttpException(String message, Throwable cause) {\n super(message, cause);\n }\n\n public abstract int getResponseCode();\n /** A response message that does not reveal any information that we want to keep secret. */\n public abstract String getPublicMessage();\n}\n", "jasm_code": ".version 52 0 \n.class public super abstract HttpException \n.super java/lang/RuntimeException \n.field private static final serialVersionUID J = 12502799019479088L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: return \nL5: \n .linenumbertable \n L0 32 \n L4 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 36 \n L5 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 40 \n L5 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 44 \n L6 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public abstract getResponseCode : ()I \n.end method \n\n.method public abstract getPublicMessage : ()Ljava/lang/String; \n.end method \n.sourcefile 'HttpException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 07:27:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HttpException_ESTest extends HttpException_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 07:27:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HttpException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HttpException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HttpException_ESTest_scaffolding.class.getClassLoader() ,\n \"HttpException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HttpException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HttpException\"\n );\n }\n}\n", "class_idx": 151} {"class_name": "RetryPolicyContext", "java_source": "public class RetryPolicyContext {}\n", "jasm_code": ".version 52 0 \n.class public super RetryPolicyContext \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'RetryPolicyContext.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 16:42:02 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class RetryPolicyContext_ESTest extends RetryPolicyContext_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n RetryPolicyContext retryPolicyContext0 = new RetryPolicyContext();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 16:42:02 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class RetryPolicyContext_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"RetryPolicyContext\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpt4_4x4bd\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RetryPolicyContext_ESTest_scaffolding.class.getClassLoader() ,\n \"RetryPolicyContext\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RetryPolicyContext_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"RetryPolicyContext\"\n );\n }\n}\n", "class_idx": 152} {"class_name": "ControlIT", "java_source": "/**\n * Copyright 2007-2015, Kaazing Corporation. All rights reserved.\n *\n *

Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use this file\n * except in compliance with the License. You may obtain a copy of the License at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * This specification is tested in K3po driver. As it is needed there to validate the control\n * protocol, but would create a un-compilable circular dependency if it was tested here. See\n * driver/src/test/java/org/kaazing/specification/\n */\npublic class ControlIT {}\n", "jasm_code": ".version 52 0 \n.class public super ControlIT \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ControlIT.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 20:23:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ControlIT_ESTest extends ControlIT_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ControlIT controlIT0 = new ControlIT();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 20:23:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ControlIT_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ControlIT\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpu6oa1tq_\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ControlIT_ESTest_scaffolding.class.getClassLoader() ,\n \"ControlIT\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ControlIT_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ControlIT\"\n );\n }\n}\n", "class_idx": 153} {"class_name": "DoWhileDemo", "java_source": "public class DoWhileDemo {\n public static void main(String[] args) {\n int count = 1;\n do {\n System.out.println(\"Count is: \" + count);\n count++;\n } while (count < 11);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DoWhileDemo \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 2 \nL0: iconst_1 \nL1: istore_1 \n\n .stack append Integer \nL2: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL5: new java/lang/StringBuilder \nL8: dup \nL9: invokespecial Method java/lang/StringBuilder ()V \nL12: ldc 'Count is: ' \nL14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL17: iload_1 \nL18: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL21: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL24: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL27: iinc 1 1 \nL30: iload_1 \nL31: bipush 11 \nL33: if_icmplt L2 \nL36: return \nL37: \n .linenumbertable \n L0 5 \n L2 7 \n L27 8 \n L30 9 \n L36 10 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DoWhileDemo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 18:56:21 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DoWhileDemo_ESTest extends DoWhileDemo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[0];\n DoWhileDemo.main(stringArray0);\n DoWhileDemo.main(stringArray0);\n DoWhileDemo doWhileDemo0 = new DoWhileDemo();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 18:56:21 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DoWhileDemo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DoWhileDemo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpnvcf695b\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DoWhileDemo_ESTest_scaffolding.class.getClassLoader() ,\n \"DoWhileDemo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DoWhileDemo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DoWhileDemo\"\n );\n }\n}\n", "class_idx": 154} {"class_name": "Primes", "java_source": "/** Created by kkopov on 04.09.2016. */\npublic class Primes {\n public static boolean isPrime(int n) {\n for (int i = 2; i < n; i++) {\n if (n % i == 0) {\n return false;\n }\n }\n return true;\n }\n\n public static boolean isPrimeWhile(int n) {\n int i = 2;\n while (i < n && n % i != 0) {\n i++;\n }\n return i == n;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Primes \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public static isPrime : (I)Z \n .code stack 2 locals 2 \nL0: iconst_2 \nL1: istore_1 \n\n .stack append Integer \nL2: iload_1 \nL3: iload_0 \nL4: if_icmpge L21 \nL7: iload_0 \nL8: iload_1 \nL9: irem \nL10: ifne L15 \nL13: iconst_0 \nL14: ireturn \n\n .stack same \nL15: iinc 1 1 \nL18: goto L2 \n\n .stack chop 1 \nL21: iconst_1 \nL22: ireturn \nL23: \n .linenumbertable \n L0 8 \n L7 9 \n L13 10 \n L15 8 \n L21 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public static isPrimeWhile : (I)Z \n .code stack 2 locals 2 \nL0: iconst_2 \nL1: istore_1 \n\n .stack append Integer \nL2: iload_1 \nL3: iload_0 \nL4: if_icmpge L19 \nL7: iload_0 \nL8: iload_1 \nL9: irem \nL10: ifeq L19 \nL13: iinc 1 1 \nL16: goto L2 \n\n .stack same \nL19: iload_1 \nL20: iload_0 \nL21: if_icmpne L28 \nL24: iconst_1 \nL25: goto L29 \n\n .stack same \nL28: iconst_0 \n\n .stack stack_1 Integer \nL29: ireturn \nL30: \n .linenumbertable \n L0 17 \n L2 18 \n L13 19 \n L19 21 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Primes.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:23:40 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Primes_ESTest extends Primes_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n int int0 = (-24993);\n Primes.isPrime((-24993));\n Primes primes0 = new Primes();\n Primes.isPrimeWhile(3643);\n Primes.isPrimeWhile(3643);\n Primes.isPrime(3643);\n Primes.isPrimeWhile((-24993));\n Primes.isPrime(3643);\n int int1 = 0;\n Primes.isPrimeWhile(0);\n int int2 = (-11583);\n Primes.isPrime((-11583));\n // Undeclared exception!\n Primes.isPrime(3643);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Primes.isPrimeWhile(1);\n Primes primes0 = new Primes();\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Primes.isPrimeWhile(0);\n Primes primes0 = new Primes();\n boolean boolean0 = Primes.isPrimeWhile(62679);\n assertFalse(boolean0);\n \n boolean boolean1 = Primes.isPrimeWhile(0);\n assertFalse(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Primes.isPrime(0);\n Primes.isPrime(0);\n boolean boolean0 = Primes.isPrime(0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Primes primes0 = new Primes();\n Primes.isPrimeWhile((-4473));\n Primes.isPrimeWhile((-4473));\n Primes.isPrime((-4473));\n Primes.isPrimeWhile(0);\n Primes.isPrime((-4473));\n Primes.isPrime((-64939));\n Primes.isPrimeWhile(0);\n boolean boolean0 = Primes.isPrimeWhile(1);\n Primes.isPrime(31453);\n boolean boolean1 = Primes.isPrime(0);\n assertTrue(boolean1);\n \n boolean boolean2 = Primes.isPrime(4505);\n assertTrue(boolean2 == boolean0);\n assertFalse(boolean2);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n boolean boolean0 = Primes.isPrime(39118);\n Primes.isPrimeWhile(0);\n Primes primes0 = new Primes();\n boolean boolean1 = Primes.isPrimeWhile(0);\n assertFalse(boolean1);\n \n Primes.isPrimeWhile(39118);\n boolean boolean2 = Primes.isPrimeWhile(26460);\n assertTrue(boolean2 == boolean0);\n assertFalse(boolean2);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Primes.isPrimeWhile((-1));\n Primes primes0 = new Primes();\n Primes.isPrimeWhile((-1));\n Primes.isPrimeWhile(29162);\n boolean boolean0 = Primes.isPrime(29162);\n Primes.isPrimeWhile(0);\n boolean boolean1 = Primes.isPrime(0);\n boolean boolean2 = Primes.isPrimeWhile(29162);\n assertFalse(boolean2 == boolean1);\n \n Primes.isPrime(1);\n Primes.isPrimeWhile((-12818));\n Primes.isPrimeWhile(29162);\n Primes.isPrimeWhile((-79498));\n Primes.isPrimeWhile(29162);\n Primes.isPrime((-12818));\n Primes.isPrime((-1));\n Primes.isPrimeWhile((-78636));\n Primes.isPrime(0);\n Primes.isPrime((-1));\n Primes.isPrime((-78636));\n Primes.isPrimeWhile(0);\n Primes.isPrimeWhile(0);\n Primes.isPrimeWhile((-1));\n Primes.isPrime(0);\n Primes.isPrime(25682);\n boolean boolean3 = Primes.isPrimeWhile((-78636));\n assertFalse(boolean3);\n \n boolean boolean4 = Primes.isPrimeWhile(2);\n assertFalse(boolean4 == boolean0);\n assertTrue(boolean4);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:23:40 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Primes_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Primes\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpxz3s2q7i\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Primes_ESTest_scaffolding.class.getClassLoader() ,\n \"Primes\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Primes_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Primes\"\n );\n }\n}\n", "class_idx": 155} {"class_name": "Role", "java_source": "/**\n * Class Role \u043e\u043f\u0438\u0441\u044b\u0432\u0430\u0435\u0442 \u0440\u043e\u043b\u044c.\n *\n * @author Timur Kapkaev (timur.kap@yandex.ru)\n * @version $ID$\n * @since 13.12.2017\n */\npublic class Role {\n\n /** ID. */\n private int id;\n /** \u0440\u043e\u043b\u044c. */\n private String role;\n /**\n * \u041a\u043e\u043d\u0441\u0442\u0440\u0443\u043a\u0442\u043e\u0440 \u043a\u043b\u0430\u0441\u0441\u0430 Role.\n *\n * @param id - ID \u0440\u043e\u043b\u0438\n * @param role - \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0440\u043e\u043b\u0438\n */\n public Role(int id, String role) {\n this.id = id;\n this.role = role;\n }\n\n /**\n * \u041a\u043e\u043d\u0441\u0442\u0440\u0443\u043a\u0442\u043e\u0440 \u043a\u043b\u0430\u0441\u0441\u0430 Role.\n *\n * @param role - \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0440\u043e\u043b\u0438\n */\n public Role(String role) {\n this(0, role);\n }\n\n /** \u041a\u043e\u043d\u0441\u0442\u0440\u0443\u043a\u0442\u043e\u0440 \u043a\u043b\u0430\u0441\u0441\u0430 User. */\n private Role() {\n this(0, null);\n }\n /**\n * \u0417\u0430\u0434\u0430\u0435\u0442 ID.\n *\n * @param id - id \u0440\u043e\u043b\u0438\n */\n public void setId(int id) {\n this.id = id;\n }\n /**\n * \u0412\u043e\u0437\u0432\u0440\u0430\u0449\u0430\u0435\u0442 ID.\n *\n * @return ID\n */\n public int getId() {\n return id;\n }\n\n /**\n * \u0417\u0430\u0434\u0430\u0435\u0442 \u0440\u043e\u043b\u044c.\n *\n * @param role - \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0440\u043e\u043b\u0438\n */\n public void setRole(String role) {\n this.role = role;\n }\n /**\n * \u0412\u043e\u0437\u0432\u0440\u0430\u0449\u0430\u0435\u0442 \u0440\u043e\u043b\u044c.\n *\n * @return \u0440\u043e\u043b\u044c\n */\n public String getRole() {\n return role;\n }\n\n /**\n * \u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442 \u0440\u0430\u0432\u0435\u043d\u0441\u0442\u0432\u043e \u043e\u0431\u044a\u0435\u043a\u0442\u043e\u0432.\n *\n * @param o - \u0441\u0440\u0430\u0432\u043d\u0438\u0432\u0430\u0435\u043c\u044b\u0439 \u043e\u0431\u044a\u0435\u043a\u0442\n */\n @Override\n public boolean equals(Object o) {\n if (o == this) {\n return true;\n }\n if (o == null || o.getClass() != getClass()) {\n return false;\n }\n Role ro = (Role) o;\n return ro.id == id;\n }\n\n /**\n * \u0417\u0430\u0434\u0430\u0435\u0442 \u0445\u0435\u0448-\u0444\u0443\u043d\u043a\u0446\u0438\u044e.\n *\n * @return \u0445\u0435\u0448-\u043a\u043e\u0434\n */\n @Override\n public int hashCode() {\n return id;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Role \n.super java/lang/Object \n.field private id I \n.field private role Ljava/lang/String; \n\n.method public : (ILjava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field Role id I \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field Role role Ljava/lang/String; \nL14: return \nL15: \n .linenumbertable \n L0 20 \n L4 21 \n L9 22 \n L14 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: iconst_0 \nL2: aload_1 \nL3: invokespecial Method Role (ILjava/lang/String;)V \nL6: return \nL7: \n .linenumbertable \n L0 30 \n L6 31 \n .end linenumbertable \n .end code \n.end method \n\n.method private : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: aconst_null \nL3: invokespecial Method Role (ILjava/lang/String;)V \nL6: return \nL7: \n .linenumbertable \n L0 37 \n L6 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Role id I \nL5: return \nL6: \n .linenumbertable \n L0 44 \n L5 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Role id I \nL4: ireturn \nL5: \n .linenumbertable \n L0 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public setRole : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Role role Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 59 \n L5 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRole : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Role role Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 66 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_1 \nL1: aload_0 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnull L22 \nL11: aload_1 \nL12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL15: aload_0 \nL16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL19: if_acmpeq L24 \n\n .stack same \nL22: iconst_0 \nL23: ireturn \n\n .stack same \nL24: aload_1 \nL25: checkcast Role \nL28: astore_2 \nL29: aload_2 \nL30: getfield Field Role id I \nL33: aload_0 \nL34: getfield Field Role id I \nL37: if_icmpne L44 \nL40: iconst_1 \nL41: goto L45 \n\n .stack append Object Role \nL44: iconst_0 \n\n .stack stack_1 Integer \nL45: ireturn \nL46: \n .linenumbertable \n L0 75 \n L5 76 \n L7 78 \n L22 79 \n L24 81 \n L29 82 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Role id I \nL4: ireturn \nL5: \n .linenumbertable \n L0 91 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Role.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 19:49:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Role_ESTest extends Role_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Role role0 = new Role(\"\");\n role0.setId((-146738));\n Role role1 = new Role(\"\");\n boolean boolean0 = role0.equals(role1);\n assertEquals((-146738), role0.getId());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Role role0 = new Role((String) null);\n role0.getRole();\n assertEquals(0, role0.getId());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Role role0 = new Role(\"{Ai?>\");\n role0.setRole(\"\");\n role0.getRole();\n assertEquals(0, role0.getId());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Role role0 = new Role(8835, \"GYQRC+O@FlAy\");\n int int0 = role0.getId();\n assertEquals(8835, int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Role role0 = new Role(\"\");\n role0.setId((-67427));\n int int0 = role0.getId();\n assertEquals((-67427), int0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Role role0 = new Role(\"\");\n role0.setId(19022);\n Role role1 = new Role(\"\");\n boolean boolean0 = role0.equals(role1);\n assertEquals(19022, role0.getId());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Role role0 = new Role(\"\");\n Role role1 = new Role(0, \"\");\n boolean boolean0 = role0.equals(role1);\n assertEquals(0, role1.getId());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Role role0 = new Role(\"O)F|J\");\n boolean boolean0 = role0.equals(\"O)F|J\");\n assertEquals(0, role0.getId());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Role role0 = new Role(\"O)F|J\");\n boolean boolean0 = role0.equals(role0);\n assertEquals(0, role0.getId());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Role role0 = new Role((-47073), \"\");\n boolean boolean0 = role0.equals((Object) null);\n assertFalse(boolean0);\n assertEquals((-47073), role0.getId());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Role role0 = new Role(8835, \"GYQRC+O@FlAy\");\n role0.hashCode();\n assertEquals(8835, role0.getId());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Role role0 = new Role(\"{Ai?>\");\n role0.getRole();\n assertEquals(0, role0.getId());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Role role0 = new Role(\"\");\n int int0 = role0.getId();\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 19:49:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Role_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Role\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpa_e93btg\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Role_ESTest_scaffolding.class.getClassLoader() ,\n \"Role\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Role_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Role\"\n );\n }\n}\n", "class_idx": 156} {"class_name": "GZIPInZip", "java_source": "/*\n * Copyright (c) 2013, Oracle and/or its affiliates. All rights reserved.\n * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.\n *\n * This code is free software; you can redistribute it and/or modify it\n * under the terms of the GNU General Public License version 2 only, as\n * published by the Free Software Foundation.\n *\n * This code is distributed in the hope that it will be useful, but WITHOUT\n * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or\n * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License\n * version 2 for more details (a copy is included in the LICENSE file that\n * accompanied this code).\n *\n * You should have received a copy of the GNU General Public License version\n * 2 along with this work; if not, write to the Free Software Foundation,\n * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.\n *\n * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA\n * or visit www.oracle.com if you need additional information or have any\n * questions.\n */\n\n/* @test\n * @bug 7021870 8023431 8026756\n * @summary Reading last gzip chain member must not close the input stream.\n * Garbage following gzip entry must be ignored.\n */\n\nimport java.io.ByteArrayInputStream;\nimport java.io.ByteArrayOutputStream;\nimport java.io.IOException;\nimport java.util.zip.GZIPInputStream;\nimport java.util.zip.GZIPOutputStream;\nimport java.util.zip.ZipEntry;\nimport java.util.zip.ZipInputStream;\nimport java.util.zip.ZipOutputStream;\n\npublic class GZIPInZip {\n\n public static void main(String[] args) throws Throwable {\n\n doTest(false, false);\n doTest(false, true);\n doTest(true, false);\n doTest(true, true);\n }\n\n private static void doTest(final boolean appendGarbage, final boolean limitGISBuff)\n throws Throwable {\n\n byte[] buf;\n\n try (ByteArrayOutputStream baos = new ByteArrayOutputStream();\n ZipOutputStream zos = new ZipOutputStream(baos)) {\n\n final byte[] xbuf = {'x'};\n\n zos.putNextEntry(new ZipEntry(\"a.gz\"));\n GZIPOutputStream gos1 = new GZIPOutputStream(zos);\n gos1.write(xbuf);\n gos1.finish();\n if (appendGarbage) zos.write(xbuf);\n zos.closeEntry();\n\n zos.putNextEntry(new ZipEntry(\"b.gz\"));\n GZIPOutputStream gos2 = new GZIPOutputStream(zos);\n gos2.write(xbuf);\n gos2.finish();\n zos.closeEntry();\n\n zos.flush();\n buf = baos.toByteArray();\n }\n\n try (ByteArrayInputStream bais = new ByteArrayInputStream(buf);\n ZipInputStream zis = new ZipInputStream(bais)) {\n\n zis.getNextEntry();\n GZIPInputStream gis1 = limitGISBuff ? new GZIPInputStream(zis, 4) : new GZIPInputStream(zis);\n // try to read more than the entry has\n gis1.skip(2);\n\n try {\n zis.getNextEntry();\n } catch (IOException e) {\n throw new RuntimeException(\"ZIP stream was prematurely closed\", e);\n }\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super GZIPInZip \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 2 locals 1 \nL0: iconst_0 \nL1: iconst_0 \nL2: invokestatic Method GZIPInZip doTest (ZZ)V \nL5: iconst_0 \nL6: iconst_1 \nL7: invokestatic Method GZIPInZip doTest (ZZ)V \nL10: iconst_1 \nL11: iconst_0 \nL12: invokestatic Method GZIPInZip doTest (ZZ)V \nL15: iconst_1 \nL16: iconst_1 \nL17: invokestatic Method GZIPInZip doTest (ZZ)V \nL20: return \nL21: \n .linenumbertable \n L0 45 \n L5 46 \n L10 47 \n L15 48 \n L20 49 \n .end linenumbertable \n .end code \n .exceptions java/lang/Throwable \n.end method \n\n.method private static doTest : (ZZ)V \n .code stack 4 locals 18 \nL0: new java/io/ByteArrayOutputStream \nL3: dup \nL4: invokespecial Method java/io/ByteArrayOutputStream ()V \nL7: astore_3 \nL8: aconst_null \nL9: astore 4 \nL11: new java/util/zip/ZipOutputStream \nL14: dup \nL15: aload_3 \nL16: invokespecial Method java/util/zip/ZipOutputStream (Ljava/io/OutputStream;)V \nL19: astore 5 \nL21: aconst_null \nL22: astore 6 \nL24: iconst_1 \nL25: newarray byte \nL27: dup \nL28: iconst_0 \nL29: bipush 120 \nL31: bastore \nL32: astore 7 \nL34: aload 5 \nL36: new java/util/zip/ZipEntry \nL39: dup \nL40: ldc 'a.gz' \nL42: invokespecial Method java/util/zip/ZipEntry (Ljava/lang/String;)V \nL45: invokevirtual Method java/util/zip/ZipOutputStream putNextEntry (Ljava/util/zip/ZipEntry;)V \nL48: new java/util/zip/GZIPOutputStream \nL51: dup \nL52: aload 5 \nL54: invokespecial Method java/util/zip/GZIPOutputStream (Ljava/io/OutputStream;)V \nL57: astore 8 \nL59: aload 8 \nL61: aload 7 \nL63: invokevirtual Method java/util/zip/GZIPOutputStream write ([B)V \nL66: aload 8 \nL68: invokevirtual Method java/util/zip/GZIPOutputStream finish ()V \nL71: iload_0 \nL72: ifeq L82 \nL75: aload 5 \nL77: aload 7 \nL79: invokevirtual Method java/util/zip/ZipOutputStream write ([B)V \n\n .stack full \n locals Integer Integer Top Object java/io/ByteArrayOutputStream Object java/lang/Throwable Object java/util/zip/ZipOutputStream Object java/lang/Throwable Object [B Object java/util/zip/GZIPOutputStream \n stack \n .end stack \nL82: aload 5 \nL84: invokevirtual Method java/util/zip/ZipOutputStream closeEntry ()V \nL87: aload 5 \nL89: new java/util/zip/ZipEntry \nL92: dup \nL93: ldc 'b.gz' \nL95: invokespecial Method java/util/zip/ZipEntry (Ljava/lang/String;)V \nL98: invokevirtual Method java/util/zip/ZipOutputStream putNextEntry (Ljava/util/zip/ZipEntry;)V \nL101: new java/util/zip/GZIPOutputStream \nL104: dup \nL105: aload 5 \nL107: invokespecial Method java/util/zip/GZIPOutputStream (Ljava/io/OutputStream;)V \nL110: astore 9 \nL112: aload 9 \nL114: aload 7 \nL116: invokevirtual Method java/util/zip/GZIPOutputStream write ([B)V \nL119: aload 9 \nL121: invokevirtual Method java/util/zip/GZIPOutputStream finish ()V \nL124: aload 5 \nL126: invokevirtual Method java/util/zip/ZipOutputStream closeEntry ()V \nL129: aload 5 \nL131: invokevirtual Method java/util/zip/ZipOutputStream flush ()V \nL134: aload_3 \nL135: invokevirtual Method java/io/ByteArrayOutputStream toByteArray ()[B \nL138: astore_2 \nL139: aload 5 \nL141: ifnull L226 \nL144: aload 6 \nL146: ifnull L169 \n .catch java/lang/Throwable from L149 to L154 using L157 \n .catch java/lang/Throwable from L24 to L139 using L177 \n .catch [0] from L24 to L139 using L186 \nL149: aload 5 \nL151: invokevirtual Method java/util/zip/ZipOutputStream close ()V \nL154: goto L226 \n\n .stack full \n locals Integer Integer Object [B Object java/io/ByteArrayOutputStream Object java/lang/Throwable Object java/util/zip/ZipOutputStream Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL157: astore 7 \nL159: aload 6 \nL161: aload 7 \nL163: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL166: goto L226 \n\n .stack same \nL169: aload 5 \nL171: invokevirtual Method java/util/zip/ZipOutputStream close ()V \nL174: goto L226 \n\n .stack full \n locals Integer Integer Top Object java/io/ByteArrayOutputStream Object java/lang/Throwable Object java/util/zip/ZipOutputStream Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL177: astore 7 \nL179: aload 7 \nL181: astore 6 \nL183: aload 7 \nL185: athrow \n\n .stack stack_1 Object java/lang/Throwable \nL186: astore 10 \nL188: aload 5 \nL190: ifnull L223 \nL193: aload 6 \nL195: ifnull L218 \n .catch java/lang/Throwable from L198 to L203 using L206 \n .catch [0] from L177 to L188 using L186 \nL198: aload 5 \nL200: invokevirtual Method java/util/zip/ZipOutputStream close ()V \nL203: goto L223 \n\n .stack full \n locals Integer Integer Top Object java/io/ByteArrayOutputStream Object java/lang/Throwable Object java/util/zip/ZipOutputStream Object java/lang/Throwable Top Top Top Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL206: astore 11 \nL208: aload 6 \nL210: aload 11 \nL212: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL215: goto L223 \n\n .stack same \nL218: aload 5 \nL220: invokevirtual Method java/util/zip/ZipOutputStream close ()V \n\n .stack same \nL223: aload 10 \nL225: athrow \n\n .stack full \n locals Integer Integer Object [B Object java/io/ByteArrayOutputStream Object java/lang/Throwable \n stack \n .end stack \nL226: aload_3 \nL227: ifnull L307 \nL230: aload 4 \nL232: ifnull L254 \n .catch java/lang/Throwable from L235 to L239 using L242 \n .catch java/lang/Throwable from L11 to L226 using L261 \n .catch [0] from L11 to L226 using L270 \nL235: aload_3 \nL236: invokevirtual Method java/io/ByteArrayOutputStream close ()V \nL239: goto L307 \n\n .stack stack_1 Object java/lang/Throwable \nL242: astore 5 \nL244: aload 4 \nL246: aload 5 \nL248: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL251: goto L307 \n\n .stack same \nL254: aload_3 \nL255: invokevirtual Method java/io/ByteArrayOutputStream close ()V \nL258: goto L307 \n\n .stack full \n locals Integer Integer Top Object java/io/ByteArrayOutputStream Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL261: astore 5 \nL263: aload 5 \nL265: astore 4 \nL267: aload 5 \nL269: athrow \n\n .stack stack_1 Object java/lang/Throwable \nL270: astore 12 \nL272: aload_3 \nL273: ifnull L304 \nL276: aload 4 \nL278: ifnull L300 \n .catch java/lang/Throwable from L281 to L285 using L288 \n .catch [0] from L261 to L272 using L270 \nL281: aload_3 \nL282: invokevirtual Method java/io/ByteArrayOutputStream close ()V \nL285: goto L304 \n\n .stack full \n locals Integer Integer Top Object java/io/ByteArrayOutputStream Object java/lang/Throwable Top Top Top Top Top Top Top Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL288: astore 13 \nL290: aload 4 \nL292: aload 13 \nL294: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL297: goto L304 \n\n .stack same \nL300: aload_3 \nL301: invokevirtual Method java/io/ByteArrayOutputStream close ()V \n\n .stack same \nL304: aload 12 \nL306: athrow \n\n .stack full \n locals Integer Integer Object [B \n stack \n .end stack \nL307: new java/io/ByteArrayInputStream \nL310: dup \nL311: aload_2 \nL312: invokespecial Method java/io/ByteArrayInputStream ([B)V \nL315: astore_3 \nL316: aconst_null \nL317: astore 4 \nL319: new java/util/zip/ZipInputStream \nL322: dup \nL323: aload_3 \nL324: invokespecial Method java/util/zip/ZipInputStream (Ljava/io/InputStream;)V \nL327: astore 5 \nL329: aconst_null \nL330: astore 6 \nL332: aload 5 \nL334: invokevirtual Method java/util/zip/ZipInputStream getNextEntry ()Ljava/util/zip/ZipEntry; \nL337: pop \nL338: iload_1 \nL339: ifeq L355 \nL342: new java/util/zip/GZIPInputStream \nL345: dup \nL346: aload 5 \nL348: iconst_4 \nL349: invokespecial Method java/util/zip/GZIPInputStream (Ljava/io/InputStream;I)V \nL352: goto L364 \n\n .stack full \n locals Integer Integer Object [B Object java/io/ByteArrayInputStream Object java/lang/Throwable Object java/util/zip/ZipInputStream Object java/lang/Throwable \n stack \n .end stack \nL355: new java/util/zip/GZIPInputStream \nL358: dup \nL359: aload 5 \nL361: invokespecial Method java/util/zip/GZIPInputStream (Ljava/io/InputStream;)V \n\n .stack stack_1 Object java/util/zip/GZIPInputStream \nL364: astore 7 \nL366: aload 7 \nL368: ldc2_w 2L \nL371: invokevirtual Method java/util/zip/GZIPInputStream skip (J)J \nL374: pop2 \n .catch java/io/IOException from L375 to L381 using L384 \nL375: aload 5 \nL377: invokevirtual Method java/util/zip/ZipInputStream getNextEntry ()Ljava/util/zip/ZipEntry; \nL380: pop \nL381: goto L398 \n\n .stack full \n locals Integer Integer Object [B Object java/io/ByteArrayInputStream Object java/lang/Throwable Object java/util/zip/ZipInputStream Object java/lang/Throwable Object java/util/zip/GZIPInputStream \n stack Object java/io/IOException \n .end stack \nL384: astore 8 \nL386: new java/lang/RuntimeException \nL389: dup \nL390: ldc 'ZIP stream was prematurely closed' \nL392: aload 8 \nL394: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL397: athrow \n\n .stack chop 1 \nL398: aload 5 \nL400: ifnull L485 \nL403: aload 6 \nL405: ifnull L428 \n .catch java/lang/Throwable from L408 to L413 using L416 \n .catch java/lang/Throwable from L332 to L398 using L436 \n .catch [0] from L332 to L398 using L445 \nL408: aload 5 \nL410: invokevirtual Method java/util/zip/ZipInputStream close ()V \nL413: goto L485 \n\n .stack stack_1 Object java/lang/Throwable \nL416: astore 7 \nL418: aload 6 \nL420: aload 7 \nL422: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL425: goto L485 \n\n .stack same \nL428: aload 5 \nL430: invokevirtual Method java/util/zip/ZipInputStream close ()V \nL433: goto L485 \n\n .stack stack_1 Object java/lang/Throwable \nL436: astore 7 \nL438: aload 7 \nL440: astore 6 \nL442: aload 7 \nL444: athrow \n\n .stack stack_1 Object java/lang/Throwable \nL445: astore 14 \nL447: aload 5 \nL449: ifnull L482 \nL452: aload 6 \nL454: ifnull L477 \n .catch java/lang/Throwable from L457 to L462 using L465 \n .catch [0] from L436 to L447 using L445 \nL457: aload 5 \nL459: invokevirtual Method java/util/zip/ZipInputStream close ()V \nL462: goto L482 \n\n .stack full \n locals Integer Integer Object [B Object java/io/ByteArrayInputStream Object java/lang/Throwable Object java/util/zip/ZipInputStream Object java/lang/Throwable Top Top Top Top Top Top Top Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL465: astore 15 \nL467: aload 6 \nL469: aload 15 \nL471: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL474: goto L482 \n\n .stack same \nL477: aload 5 \nL479: invokevirtual Method java/util/zip/ZipInputStream close ()V \n\n .stack same \nL482: aload 14 \nL484: athrow \n\n .stack full \n locals Integer Integer Object [B Object java/io/ByteArrayInputStream Object java/lang/Throwable \n stack \n .end stack \nL485: aload_3 \nL486: ifnull L566 \nL489: aload 4 \nL491: ifnull L513 \n .catch java/lang/Throwable from L494 to L498 using L501 \n .catch java/lang/Throwable from L319 to L485 using L520 \n .catch [0] from L319 to L485 using L529 \nL494: aload_3 \nL495: invokevirtual Method java/io/ByteArrayInputStream close ()V \nL498: goto L566 \n\n .stack stack_1 Object java/lang/Throwable \nL501: astore 5 \nL503: aload 4 \nL505: aload 5 \nL507: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL510: goto L566 \n\n .stack same \nL513: aload_3 \nL514: invokevirtual Method java/io/ByteArrayInputStream close ()V \nL517: goto L566 \n\n .stack stack_1 Object java/lang/Throwable \nL520: astore 5 \nL522: aload 5 \nL524: astore 4 \nL526: aload 5 \nL528: athrow \n\n .stack stack_1 Object java/lang/Throwable \nL529: astore 16 \nL531: aload_3 \nL532: ifnull L563 \nL535: aload 4 \nL537: ifnull L559 \n .catch java/lang/Throwable from L540 to L544 using L547 \n .catch [0] from L520 to L531 using L529 \nL540: aload_3 \nL541: invokevirtual Method java/io/ByteArrayInputStream close ()V \nL544: goto L563 \n\n .stack full \n locals Integer Integer Object [B Object java/io/ByteArrayInputStream Object java/lang/Throwable Top Top Top Top Top Top Top Top Top Top Top Object java/lang/Throwable \n stack Object java/lang/Throwable \n .end stack \nL547: astore 17 \nL549: aload 4 \nL551: aload 17 \nL553: invokevirtual Method java/lang/Throwable addSuppressed (Ljava/lang/Throwable;)V \nL556: goto L563 \n\n .stack same \nL559: aload_3 \nL560: invokevirtual Method java/io/ByteArrayInputStream close ()V \n\n .stack same \nL563: aload 16 \nL565: athrow \n\n .stack full \n locals Integer Integer Object [B \n stack \n .end stack \nL566: return \nL567: \n .linenumbertable \n L0 57 \n L11 58 \n L21 57 \n L24 60 \n L34 62 \n L48 63 \n L59 64 \n L66 65 \n L71 66 \n L75 67 \n L82 68 \n L87 70 \n L101 71 \n L112 72 \n L119 73 \n L124 74 \n L129 76 \n L134 77 \n L139 78 \n L177 57 \n L186 78 \n L261 57 \n L270 78 \n L307 80 \n L319 81 \n L329 80 \n L332 83 \n L338 84 \n L366 88 \n L375 91 \n L381 94 \n L384 92 \n L386 93 \n L398 95 \n L436 80 \n L445 95 \n L520 80 \n L529 95 \n L566 96 \n .end linenumbertable \n .end code \n .exceptions java/lang/Throwable \n.end method \n.sourcefile 'GZIPInZip.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 08:22:12 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class GZIPInZip_ESTest extends GZIPInZip_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n GZIPInZip gZIPInZip0 = new GZIPInZip();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[1];\n GZIPInZip.main(stringArray0);\n GZIPInZip gZIPInZip0 = new GZIPInZip();\n GZIPInZip.main(stringArray0);\n assertEquals(1, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 08:22:12 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class GZIPInZip_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"GZIPInZip\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpweh1yoqc\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GZIPInZip_ESTest_scaffolding.class.getClassLoader() ,\n \"GZIPInZip\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GZIPInZip_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"GZIPInZip\"\n );\n }\n}\n", "class_idx": 157} {"class_name": "LocationBundleResolver", "java_source": "/*\n * LocationBundleResolver.java\n *\n * Created on 30. August 2006, 05:56\n *\n * Copyright (c) 2006 LinogistiX GmbH. All rights reserved.\n *\n *browse for licence information\n *\n */\n\n/**\n * @author Andreas Trautmann\n */\npublic class LocationBundleResolver {\n\n /** Creates a new instance of LocationBundleResolver */\n public LocationBundleResolver() {}\n}\n", "jasm_code": ".version 52 0 \n.class public super LocationBundleResolver \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 21 \n L4 22 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'LocationBundleResolver.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 06:35:16 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class LocationBundleResolver_ESTest extends LocationBundleResolver_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LocationBundleResolver locationBundleResolver0 = new LocationBundleResolver();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 06:35:16 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class LocationBundleResolver_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"LocationBundleResolver\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpui76qg8j\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LocationBundleResolver_ESTest_scaffolding.class.getClassLoader() ,\n \"LocationBundleResolver\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LocationBundleResolver_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"LocationBundleResolver\"\n );\n }\n}\n", "class_idx": 158} {"class_name": "HttpException", "java_source": "/**\n * Copyright 2015-2017 The OpenZipkin Authors\n *\n *

Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use this file\n * except in compliance with the License. You may obtain a copy of the License at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfinal class HttpException extends RuntimeException {\n final int code;\n\n HttpException(String message, int code) {\n super(message);\n this.code = code;\n }\n\n int code() {\n return code;\n }\n}\n", "jasm_code": ".version 52 0 \n.class final super HttpException \n.super java/lang/RuntimeException \n.field final code I \n\n.method : (Ljava/lang/String;I)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: aload_0 \nL6: iload_2 \nL7: putfield Field HttpException code I \nL10: return \nL11: \n .linenumbertable \n L0 20 \n L5 21 \n L10 22 \n .end linenumbertable \n .end code \n.end method \n\n.method code : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HttpException code I \nL4: ireturn \nL5: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'HttpException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 00:34:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HttpException_ESTest extends HttpException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n HttpException httpException0 = new HttpException(\"Pui*QhZ6H]Iqle@-at;\", 0);\n int int0 = httpException0.code();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n HttpException httpException0 = new HttpException(\"\", 69311);\n int int0 = httpException0.code();\n assertEquals(69311, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n HttpException httpException0 = new HttpException(\"oY AO\", (-38500));\n int int0 = httpException0.code();\n assertEquals((-38500), int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 00:34:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HttpException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HttpException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpuw36zzci\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HttpException_ESTest_scaffolding.class.getClassLoader() ,\n \"HttpException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HttpException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HttpException\"\n );\n }\n}\n", "class_idx": 159} {"class_name": "PuzzleEvent", "java_source": "/*\n * @(#)PuzzleEvent.java\t1.1 5-Decmebr-2003 Nigel Whitley\n *\n * Copyright (c) 2001-2003 Nigel Whitley. All Rights Reserved.\n *\n * This software is released under the terms of the GPL. For details, see license.txt.\n *\n */\n\nimport java.awt.*;\nimport java.awt.event.*;\n\n/** Notify the world of a tile change, indicate by a tile position */\npublic class PuzzleEvent extends ActionEvent {\n private Object _eventInfo;\n private static final long serialVersionUID = 1L;\n protected static int puzzleEventID = RESERVED_ID_MAX + 1;\n\n public PuzzleEvent(Object source, Object eventInfo) {\n super(source, puzzleEventID, \"Puzzle\");\n setEventInfo(eventInfo);\n }\n\n public PuzzleEvent(Object source, String command, Object eventInfo) {\n super(source, puzzleEventID, command);\n setEventInfo(eventInfo);\n }\n\n public PuzzleEvent(Object source, int eventID, String command) {\n super(source, eventID, command);\n }\n\n public PuzzleEvent(Object source, String command) {\n super(source, puzzleEventID, command);\n }\n\n public PuzzleEvent(Object source, int eventID) {\n super(source, eventID, \"Puzzle\");\n }\n\n public PuzzleEvent(Object source, int eventID, Object eventInfo) {\n super(source, eventID, \"Puzzle\");\n setEventInfo(eventInfo);\n }\n\n public Object getEventInfo() {\n return _eventInfo;\n }\n\n public void setEventInfo(Object eventInfo) {\n _eventInfo = eventInfo;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PuzzleEvent \n.super java/awt/event/ActionEvent \n.field private _eventInfo Ljava/lang/Object; \n.field private static final serialVersionUID J = 1L \n.field protected static puzzleEventID I \n\n.method public : (Ljava/lang/Object;Ljava/lang/Object;)V \n .code stack 4 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: getstatic Field PuzzleEvent puzzleEventID I \nL5: ldc 'Puzzle' \nL7: invokespecial Method java/awt/event/ActionEvent (Ljava/lang/Object;ILjava/lang/String;)V \nL10: aload_0 \nL11: aload_2 \nL12: invokevirtual Method PuzzleEvent setEventInfo (Ljava/lang/Object;)V \nL15: return \nL16: \n .linenumbertable \n L0 23 \n L10 24 \n L15 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Object;Ljava/lang/String;Ljava/lang/Object;)V \n .code stack 4 locals 4 \nL0: aload_0 \nL1: aload_1 \nL2: getstatic Field PuzzleEvent puzzleEventID I \nL5: aload_2 \nL6: invokespecial Method java/awt/event/ActionEvent (Ljava/lang/Object;ILjava/lang/String;)V \nL9: aload_0 \nL10: aload_3 \nL11: invokevirtual Method PuzzleEvent setEventInfo (Ljava/lang/Object;)V \nL14: return \nL15: \n .linenumbertable \n L0 28 \n L9 29 \n L14 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Object;ILjava/lang/String;)V \n .code stack 4 locals 4 \nL0: aload_0 \nL1: aload_1 \nL2: iload_2 \nL3: aload_3 \nL4: invokespecial Method java/awt/event/ActionEvent (Ljava/lang/Object;ILjava/lang/String;)V \nL7: return \nL8: \n .linenumbertable \n L0 33 \n L7 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Object;Ljava/lang/String;)V \n .code stack 4 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: getstatic Field PuzzleEvent puzzleEventID I \nL5: aload_2 \nL6: invokespecial Method java/awt/event/ActionEvent (Ljava/lang/Object;ILjava/lang/String;)V \nL9: return \nL10: \n .linenumbertable \n L0 37 \n L9 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Object;I)V \n .code stack 4 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: iload_2 \nL3: ldc 'Puzzle' \nL5: invokespecial Method java/awt/event/ActionEvent (Ljava/lang/Object;ILjava/lang/String;)V \nL8: return \nL9: \n .linenumbertable \n L0 41 \n L8 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Object;ILjava/lang/Object;)V \n .code stack 4 locals 4 \nL0: aload_0 \nL1: aload_1 \nL2: iload_2 \nL3: ldc 'Puzzle' \nL5: invokespecial Method java/awt/event/ActionEvent (Ljava/lang/Object;ILjava/lang/String;)V \nL8: aload_0 \nL9: aload_3 \nL10: invokevirtual Method PuzzleEvent setEventInfo (Ljava/lang/Object;)V \nL13: return \nL14: \n .linenumbertable \n L0 45 \n L8 46 \n L13 47 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventInfo : ()Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PuzzleEvent _eventInfo Ljava/lang/Object; \nL4: areturn \nL5: \n .linenumbertable \n L0 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventInfo : (Ljava/lang/Object;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PuzzleEvent _eventInfo Ljava/lang/Object; \nL5: return \nL6: \n .linenumbertable \n L0 54 \n L5 55 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: sipush 2000 \nL3: putstatic Field PuzzleEvent puzzleEventID I \nL6: return \nL7: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PuzzleEvent.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:49:51 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PuzzleEvent_ESTest extends PuzzleEvent_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Object object0 = new Object();\n PuzzleEvent puzzleEvent0 = new PuzzleEvent(object0, \"\");\n Object object1 = puzzleEvent0.getEventInfo();\n assertNull(object1);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n PuzzleEvent puzzleEvent0 = new PuzzleEvent(\"i\", \"Puzzle\", (Object) null);\n assertEquals(\"Puzzle\", puzzleEvent0.getActionCommand());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Object object0 = new Object();\n PuzzleEvent puzzleEvent0 = new PuzzleEvent(object0, \"\");\n puzzleEvent0.setEventInfo((Object) null);\n assertEquals(0L, puzzleEvent0.getWhen());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Object object0 = new Object();\n PuzzleEvent puzzleEvent0 = new PuzzleEvent(object0, 0, \"0N{J7II?((|1.Ad)\");\n assertEquals(0, puzzleEvent0.getModifiers());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Object object0 = new Object();\n PuzzleEvent puzzleEvent0 = new PuzzleEvent(object0, 0);\n assertEquals(0, puzzleEvent0.getModifiers());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Object object0 = new Object();\n PuzzleEvent puzzleEvent0 = new PuzzleEvent(object0, object0);\n assertEquals(\"Puzzle\", puzzleEvent0.getActionCommand());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Object object0 = new Object();\n PuzzleEvent puzzleEvent0 = new PuzzleEvent(\"\", 0, object0);\n Object object1 = puzzleEvent0.getEventInfo();\n assertSame(object1, object0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:49:51 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PuzzleEvent_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PuzzleEvent\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyx1jv169\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PuzzleEvent_ESTest_scaffolding.class.getClassLoader() ,\n \"PuzzleEvent\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PuzzleEvent_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PuzzleEvent\"\n );\n }\n}\n", "class_idx": 160} {"class_name": "QRModules", "java_source": "public class QRModules {\n public boolean value;\n\n public QRModules() {\n value = false;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super QRModules \n.super java/lang/Object \n.field public value Z \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field QRModules value Z \nL9: return \nL10: \n .linenumbertable \n L0 5 \n L4 6 \n L9 7 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'QRModules.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 22:38:04 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class QRModules_ESTest extends QRModules_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n QRModules qRModules0 = new QRModules();\n assertFalse(qRModules0.value);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 22:38:04 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class QRModules_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"QRModules\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpvgb_i68b\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(QRModules_ESTest_scaffolding.class.getClassLoader() ,\n \"QRModules\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(QRModules_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"QRModules\"\n );\n }\n}\n", "class_idx": 161} {"class_name": "Ex3", "java_source": "/** \u00ce\u00c4\u00bc\u00fe\u00c3\u00fb\u00a3\u00baEx3.java \u00cf\u00ee\u00c4\u00bf-\u00b0\u00fc\u00a3\u00baJAVA\u00b1\u00e0\u00b3\u00cc\u00cb\u00bc\u00cf\u00eb - \u00b5\u00da\u00ca\u00ae\u00b0\u00cb\u00d5\u00c2IO\u00cf\u00b5\u00cd\u00b3 \u00d7\u00f7\u00d5\u00df\u00a3\u00ba\u00d5\u00c5\u00ce\u00c4\u00b5\u00cf \u00b4\u00b4\u00bd\u00a8\u00c8\u00d5\u00c6\u00da\u00a3\u00ba2014-10-31 */\nimport java.io.File;\nimport java.io.FilenameFilter;\nimport java.util.Arrays;\nimport java.util.regex.Pattern;\n\n/**\n * @author \u00d5\u00c5\u00ce\u00c4\u00b5\u00cf \u00c0\u00e0\u00c3\u00fb\u00a3\u00baEx3\n * \u00c0\u00e0\u00cb\u00b5\u00c3\u00f7\u00a3\u00ba\u00bb\u00f1\u00c8\u00a1\u00ce\u00c4\u00bc\u00fe\u00b4\u00f3\u00d0\u00a1~~~~\u00d2\u00bb\u00d6\u00d6\u00ca\u00c7\u00ca\u00b9\u00d3\u00c3File\u00b5\u00c4length()\u00b7\u00bd\u00b7\u00a8\u00a3\u00bb\u00c1\u00ed\u00cd\u00e2\u00d2\u00bb\u00d6\u00d6\u00ca\u00c7\u00ca\u00b9\u00d3\u00c3FileInputStream\u00b5\u00c4available()\u00b7\u00bd\u00b7\u00a8\n */\npublic class Ex3 {\n public static void main(final String args[]) {\n File path = new File(\".\");\n String[] list;\n\n if (args.length == 0) list = path.list();\n else\n list =\n path.list(\n new FilenameFilter() {\n private Pattern pattern = Pattern.compile(args[0]);\n\n public boolean accept(File dir, String name) {\n\n return pattern.matcher(name).matches();\n }\n });\n Arrays.sort(list, String.CASE_INSENSITIVE_ORDER);\n for (String dirItem : list) System.out.print(dirItem + \" ; \");\n System.out.println();\n for (String dirItem : list) System.out.println(new File(path, dirItem).length());\n // \u00b8\u00f9\u00be\u00dd parent \u00b3\u00e9\u00cf\u00f3\u00c2\u00b7\u00be\u00b6\u00c3\u00fb\u00ba\u00cd child \u00c2\u00b7\u00be\u00b6\u00c3\u00fb\u00d7\u00d6\u00b7\u00fb\u00b4\u00ae\u00b4\u00b4\u00bd\u00a8\u00d2\u00bb\u00b8\u00f6\u00d0\u00c2 File \u00ca\u00b5\u00c0\u00fd\u00a1\u00a3\n System.out.println(path.length());\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Ex3 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 5 locals 7 \nL0: new java/io/File \nL3: dup \nL4: ldc '.' \nL6: invokespecial Method java/io/File (Ljava/lang/String;)V \nL9: astore_1 \nL10: aload_0 \nL11: arraylength \nL12: ifne L23 \nL15: aload_1 \nL16: invokevirtual Method java/io/File list ()[Ljava/lang/String; \nL19: astore_2 \nL20: goto L36 \n\n .stack append Object java/io/File \nL23: aload_1 \nL24: new Ex3$1 \nL27: dup \nL28: aload_0 \nL29: invokespecial Method Ex3$1 ([Ljava/lang/String;)V \nL32: invokevirtual Method java/io/File list (Ljava/io/FilenameFilter;)[Ljava/lang/String; \nL35: astore_2 \n\n .stack append Object [Ljava/lang/String; \nL36: aload_2 \nL37: getstatic Field java/lang/String CASE_INSENSITIVE_ORDER Ljava/util/Comparator; \nL40: invokestatic Method java/util/Arrays sort ([Ljava/lang/Object;Ljava/util/Comparator;)V \nL43: aload_2 \nL44: astore_3 \nL45: aload_3 \nL46: arraylength \nL47: istore 4 \nL49: iconst_0 \nL50: istore 5 \n\n .stack append Object [Ljava/lang/String; Integer Integer \nL52: iload 5 \nL54: iload 4 \nL56: if_icmpge L97 \nL59: aload_3 \nL60: iload 5 \nL62: aaload \nL63: astore 6 \nL65: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL68: new java/lang/StringBuilder \nL71: dup \nL72: invokespecial Method java/lang/StringBuilder ()V \nL75: aload 6 \nL77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL80: ldc ' ; ' \nL82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL85: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL88: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL91: iinc 5 1 \nL94: goto L52 \n\n .stack chop 3 \nL97: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL100: invokevirtual Method java/io/PrintStream println ()V \nL103: aload_2 \nL104: astore_3 \nL105: aload_3 \nL106: arraylength \nL107: istore 4 \nL109: iconst_0 \nL110: istore 5 \n\n .stack append Object [Ljava/lang/String; Integer Integer \nL112: iload 5 \nL114: iload 4 \nL116: if_icmpge L150 \nL119: aload_3 \nL120: iload 5 \nL122: aaload \nL123: astore 6 \nL125: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL128: new java/io/File \nL131: dup \nL132: aload_1 \nL133: aload 6 \nL135: invokespecial Method java/io/File (Ljava/io/File;Ljava/lang/String;)V \nL138: invokevirtual Method java/io/File length ()J \nL141: invokevirtual Method java/io/PrintStream println (J)V \nL144: iinc 5 1 \nL147: goto L112 \n\n .stack chop 3 \nL150: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL153: aload_1 \nL154: invokevirtual Method java/io/File length ()J \nL157: invokevirtual Method java/io/PrintStream println (J)V \nL160: return \nL161: \n .linenumbertable \n L0 23 \n L10 26 \n L15 27 \n L23 29 \n L36 38 \n L43 39 \n L65 40 \n L91 39 \n L97 41 \n L103 42 \n L125 43 \n L144 42 \n L150 45 \n L160 46 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Ex3.java' \n.innerclasses \n Ex3$1 [0] [0] static \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 10:12:08 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.testdata.EvoSuiteFile;\nimport org.evosuite.runtime.testdata.FileSystemHandling;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Ex3_ESTest extends Ex3_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile(\".\");\n FileSystemHandling.createFolder(evoSuiteFile0);\n String[] stringArray0 = new String[0];\n Ex3.main(stringArray0);\n assertEquals(0, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[1];\n // Undeclared exception!\n try { \n Ex3.main(stringArray0);\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // Ex3$1\n //\n verifyException(\"Ex3\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Ex3 ex3_0 = new Ex3();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 10:12:08 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Ex3_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Ex3\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp87yaqbvt\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Ex3_ESTest_scaffolding.class.getClassLoader() ,\n \"Ex3\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Ex3_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Ex3\"\n );\n }\n}\n", "class_idx": 162} {"class_name": "DisciplinaCargaInvalidaException", "java_source": "public class DisciplinaCargaInvalidaException extends Exception {\n\n /** */\n private static final long serialVersionUID = 4585200439846293234L;\n\n private double cargaHoraria;\n\n public DisciplinaCargaInvalidaException(double cargaHoraria) {\n super(\"Carga Horaria menor que 15 horas \u00e9 inv\u00e1lida.\");\n this.cargaHoraria = cargaHoraria;\n }\n\n public double getCargaHoraria() {\n return this.cargaHoraria;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DisciplinaCargaInvalidaException \n.super java/lang/Exception \n.field private static final serialVersionUID J = 4585200439846293234L \n.field private cargaHoraria D \n\n.method public : (D)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: ldc 'Carga Horaria menor que 15 horas \u00e9 inv\u00e1lida.' \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL6: aload_0 \nL7: dload_1 \nL8: putfield Field DisciplinaCargaInvalidaException cargaHoraria D \nL11: return \nL12: \n .linenumbertable \n L0 12 \n L6 13 \n L11 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCargaHoraria : ()D \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field DisciplinaCargaInvalidaException cargaHoraria D \nL4: dreturn \nL5: \n .linenumbertable \n L0 17 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DisciplinaCargaInvalidaException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 19:45:05 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DisciplinaCargaInvalidaException_ESTest extends DisciplinaCargaInvalidaException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DisciplinaCargaInvalidaException disciplinaCargaInvalidaException0 = new DisciplinaCargaInvalidaException(16774.6230627);\n double double0 = disciplinaCargaInvalidaException0.getCargaHoraria();\n assertEquals(16774.6230627, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n DisciplinaCargaInvalidaException disciplinaCargaInvalidaException0 = new DisciplinaCargaInvalidaException((-21853.50441342866));\n double double0 = disciplinaCargaInvalidaException0.getCargaHoraria();\n assertEquals((-21853.50441342866), double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n DisciplinaCargaInvalidaException disciplinaCargaInvalidaException0 = new DisciplinaCargaInvalidaException(0.0);\n double double0 = disciplinaCargaInvalidaException0.getCargaHoraria();\n assertEquals(0.0, double0, 1.0E-4);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 19:45:05 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DisciplinaCargaInvalidaException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DisciplinaCargaInvalidaException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprj1iiox3\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DisciplinaCargaInvalidaException_ESTest_scaffolding.class.getClassLoader() ,\n \"DisciplinaCargaInvalidaException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DisciplinaCargaInvalidaException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DisciplinaCargaInvalidaException\"\n );\n }\n}\n", "class_idx": 163} {"class_name": "ProcResultBean", "java_source": "public final class ProcResultBean {\n private String name;\n private int resultset = 1;\n private int maxrows = -1;\n\n /**\n * @return Returns the maxrows.\n */\n public int getMaxrows() {\n return maxrows;\n }\n /**\n * @param maxrows The maxrows to set.\n */\n public void setMaxrows(int maxrows) {\n this.maxrows = maxrows;\n }\n /**\n * @return Returns the name.\n */\n public String getName() {\n return name;\n }\n /**\n * @param name The name to set.\n */\n public void setName(String name) {\n this.name = name;\n }\n /**\n * @return Returns the resultset.\n */\n public int getResultset() {\n return resultset;\n }\n /**\n * @param resultset The resultset to set.\n */\n public void setResultset(int resultset) {\n this.resultset = resultset;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super ProcResultBean \n.super java/lang/Object \n.field private name Ljava/lang/String; \n.field private resultset I \n.field private maxrows I \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_1 \nL6: putfield Field ProcResultBean resultset I \nL9: aload_0 \nL10: iconst_m1 \nL11: putfield Field ProcResultBean maxrows I \nL14: return \nL15: \n .linenumbertable \n L0 3 \n L4 5 \n L9 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMaxrows : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ProcResultBean maxrows I \nL4: ireturn \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public setMaxrows : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field ProcResultBean maxrows I \nL5: return \nL6: \n .linenumbertable \n L0 18 \n L5 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ProcResultBean name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public setName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field ProcResultBean name Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 30 \n L5 31 \n .end linenumbertable \n .end code \n.end method \n\n.method public getResultset : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ProcResultBean resultset I \nL4: ireturn \nL5: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public setResultset : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field ProcResultBean resultset I \nL5: return \nL6: \n .linenumbertable \n L0 42 \n L5 43 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ProcResultBean.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 01:14:39 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ProcResultBean_ESTest extends ProcResultBean_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n procResultBean0.setResultset((-90546));\n int int0 = procResultBean0.getResultset();\n assertEquals((-90546), int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n procResultBean0.setName(\"\");\n procResultBean0.getName();\n assertEquals((-1), procResultBean0.getMaxrows());\n assertEquals(1, procResultBean0.getResultset());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n assertEquals((-1), procResultBean0.getMaxrows());\n \n procResultBean0.setMaxrows(0);\n int int0 = procResultBean0.getMaxrows();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n assertEquals(1, procResultBean0.getResultset());\n \n procResultBean0.setResultset(0);\n int int0 = procResultBean0.getResultset();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n procResultBean0.getName();\n assertEquals((-1), procResultBean0.getMaxrows());\n assertEquals(1, procResultBean0.getResultset());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n int int0 = procResultBean0.getResultset();\n assertEquals((-1), procResultBean0.getMaxrows());\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n assertEquals((-1), procResultBean0.getMaxrows());\n \n procResultBean0.setMaxrows(1);\n int int0 = procResultBean0.getMaxrows();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n procResultBean0.setName(\"G/|Uu2q*\");\n procResultBean0.getName();\n assertEquals((-1), procResultBean0.getMaxrows());\n assertEquals(1, procResultBean0.getResultset());\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n ProcResultBean procResultBean0 = new ProcResultBean();\n int int0 = procResultBean0.getMaxrows();\n assertEquals(1, procResultBean0.getResultset());\n assertEquals((-1), int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 01:14:39 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ProcResultBean_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ProcResultBean\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6iz3ammj\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ProcResultBean_ESTest_scaffolding.class.getClassLoader() ,\n \"ProcResultBean\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ProcResultBean_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ProcResultBean\"\n );\n }\n}\n", "class_idx": 164} {"class_name": "Test", "java_source": "public class Test {\n {\n int x = 0;\n\n newMethod(x, \"foo\");\n\n newMethod(x, \"bar\");\n }\n\n private void newMethod(int x, String foo) {\n System.out.println(foo);\n System.out.println(x);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Test \n.super java/lang/Object \n\n.method public : ()V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: iconst_0 \nL5: istore_1 \nL6: aload_0 \nL7: iload_1 \nL8: ldc 'foo' \nL10: invokespecial Method Test newMethod (ILjava/lang/String;)V \nL13: aload_0 \nL14: iload_1 \nL15: ldc 'bar' \nL17: invokespecial Method Test newMethod (ILjava/lang/String;)V \nL20: return \nL21: \n .linenumbertable \n L0 1 \n L4 3 \n L6 5 \n L13 7 \n L20 8 \n .end linenumbertable \n .end code \n.end method \n\n.method private newMethod : (ILjava/lang/String;)V \n .code stack 2 locals 3 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: aload_2 \nL4: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL7: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL10: iload_1 \nL11: invokevirtual Method java/io/PrintStream println (I)V \nL14: return \nL15: \n .linenumbertable \n L0 11 \n L7 12 \n L14 13 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Test.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 15:41:23 GMT 2022\n */\n\n\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Test_ESTest extends Test_ESTest_scaffolding {\n\n @org.junit.Test(timeout = 4000)\n public void test0() throws Throwable {\n Test test0 = new Test();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 15:41:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Test_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Test\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1ea0u2tg\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test_ESTest_scaffolding.class.getClassLoader() ,\n \"Test\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Test\"\n );\n }\n}\n", "class_idx": 165} {"class_name": "UpdateChannelRequestThree", "java_source": "/*\n * ThunderNetwork - Server Client Architecture to send Off-Chain Bitcoin Payments\n * Copyright (C) 2015 Mats Jerratsch \n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see .\n */\n\n// TODO: Auto-generated Javadoc\n/** The Class UpdateChannelRequestThree. */\npublic class UpdateChannelRequestThree {\n\n /** The channel transaction. */\n public String channelTransaction;\n}\n", "jasm_code": ".version 52 0 \n.class public super UpdateChannelRequestThree \n.super java/lang/Object \n.field public channelTransaction Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UpdateChannelRequestThree.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 15:06:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UpdateChannelRequestThree_ESTest extends UpdateChannelRequestThree_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UpdateChannelRequestThree updateChannelRequestThree0 = new UpdateChannelRequestThree();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 15:06:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UpdateChannelRequestThree_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UpdateChannelRequestThree\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpe9qvzfqh\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UpdateChannelRequestThree_ESTest_scaffolding.class.getClassLoader() ,\n \"UpdateChannelRequestThree\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UpdateChannelRequestThree_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UpdateChannelRequestThree\"\n );\n }\n}\n", "class_idx": 166} {"class_name": "ByteUtils", "java_source": "import java.io.ByteArrayOutputStream;\nimport java.io.IOException;\nimport java.nio.ByteBuffer;\nimport java.nio.CharBuffer;\nimport java.nio.charset.CharacterCodingException;\nimport java.nio.charset.Charset;\nimport java.nio.charset.CharsetDecoder;\nimport java.nio.charset.CodingErrorAction;\nimport java.util.zip.ZipEntry;\nimport java.util.zip.ZipOutputStream;\n\npublic class ByteUtils {\n private static final char[] hexArray = \"0123456789ABCDEF\".toCharArray();\n\n public static String toString(byte[] data) {\n return new String(data);\n }\n\n public static int toInt(byte[] data) {\n return ByteBuffer.wrap(data).getInt();\n }\n\n public static byte[] toByteArray(int number) {\n return ByteBuffer.allocate(4).putInt(number).array();\n }\n\n public static byte[] toByteArray(long number) {\n return ByteBuffer.allocate(8).putLong(number).array();\n }\n\n public static String toHex(byte[] data) {\n char[] hexChars = new char[data.length * 2];\n\n for (int j = 0; j < data.length; j++) {\n int v = data[j] & 0xFF;\n hexChars[j * 2] = hexArray[v >>> 4];\n hexChars[j * 2 + 1] = hexArray[v & 0x0F];\n }\n return new String(hexChars);\n }\n\n public static final CharBuffer removeUnknowBytes(byte[] array, String charset)\n throws CharacterCodingException {\n CharsetDecoder utf8Decoder = Charset.forName(charset).newDecoder();\n utf8Decoder.onMalformedInput(CodingErrorAction.IGNORE);\n utf8Decoder.onUnmappableCharacter(CodingErrorAction.IGNORE);\n ByteBuffer bytes = ByteBuffer.wrap(array);\n return utf8Decoder.decode(bytes);\n }\n\n public static byte[] compress(String name, byte[] data) throws IOException {\n ByteArrayOutputStream baos = new ByteArrayOutputStream();\n ZipOutputStream zipOut = new ZipOutputStream(baos);\n zipOut.putNextEntry(new ZipEntry(name));\n zipOut.write(data);\n zipOut.closeEntry();\n zipOut.close();\n\n byte[] result = baos.toByteArray();\n\n baos.close();\n return result;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ByteUtils \n.super java/lang/Object \n.field private static final hexArray [C \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public static toString : ([B)Ljava/lang/String; \n .code stack 3 locals 1 \nL0: new java/lang/String \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/lang/String ([B)V \nL8: areturn \nL9: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public static toInt : ([B)I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokestatic Method java/nio/ByteBuffer wrap ([B)Ljava/nio/ByteBuffer; \nL4: invokevirtual Method java/nio/ByteBuffer getInt ()I \nL7: ireturn \nL8: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public static toByteArray : (I)[B \n .code stack 2 locals 1 \nL0: iconst_4 \nL1: invokestatic Method java/nio/ByteBuffer allocate (I)Ljava/nio/ByteBuffer; \nL4: iload_0 \nL5: invokevirtual Method java/nio/ByteBuffer putInt (I)Ljava/nio/ByteBuffer; \nL8: invokevirtual Method java/nio/ByteBuffer array ()[B \nL11: areturn \nL12: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public static toByteArray : (J)[B \n .code stack 3 locals 2 \nL0: bipush 8 \nL2: invokestatic Method java/nio/ByteBuffer allocate (I)Ljava/nio/ByteBuffer; \nL5: lload_0 \nL6: invokevirtual Method java/nio/ByteBuffer putLong (J)Ljava/nio/ByteBuffer; \nL9: invokevirtual Method java/nio/ByteBuffer array ()[B \nL12: areturn \nL13: \n .linenumbertable \n L0 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public static toHex : ([B)Ljava/lang/String; \n .code stack 5 locals 4 \nL0: aload_0 \nL1: arraylength \nL2: iconst_2 \nL3: imul \nL4: newarray char \nL6: astore_1 \nL7: iconst_0 \nL8: istore_2 \n\n .stack append Object [C Integer \nL9: iload_2 \nL10: aload_0 \nL11: arraylength \nL12: if_icmpge L56 \nL15: aload_0 \nL16: iload_2 \nL17: baload \nL18: sipush 255 \nL21: iand \nL22: istore_3 \nL23: aload_1 \nL24: iload_2 \nL25: iconst_2 \nL26: imul \nL27: getstatic Field ByteUtils hexArray [C \nL30: iload_3 \nL31: iconst_4 \nL32: iushr \nL33: caload \nL34: castore \nL35: aload_1 \nL36: iload_2 \nL37: iconst_2 \nL38: imul \nL39: iconst_1 \nL40: iadd \nL41: getstatic Field ByteUtils hexArray [C \nL44: iload_3 \nL45: bipush 15 \nL47: iand \nL48: caload \nL49: castore \nL50: iinc 2 1 \nL53: goto L9 \n\n .stack chop 1 \nL56: new java/lang/String \nL59: dup \nL60: aload_1 \nL61: invokespecial Method java/lang/String ([C)V \nL64: areturn \nL65: \n .linenumbertable \n L0 40 \n L7 42 \n L15 44 \n L23 45 \n L35 46 \n L50 42 \n L56 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final removeUnknowBytes : ([BLjava/lang/String;)Ljava/nio/CharBuffer; \n .code stack 2 locals 4 \nL0: aload_1 \nL1: invokestatic Method java/nio/charset/Charset forName (Ljava/lang/String;)Ljava/nio/charset/Charset; \nL4: invokevirtual Method java/nio/charset/Charset newDecoder ()Ljava/nio/charset/CharsetDecoder; \nL7: astore_2 \nL8: aload_2 \nL9: getstatic Field java/nio/charset/CodingErrorAction IGNORE Ljava/nio/charset/CodingErrorAction; \nL12: invokevirtual Method java/nio/charset/CharsetDecoder onMalformedInput (Ljava/nio/charset/CodingErrorAction;)Ljava/nio/charset/CharsetDecoder; \nL15: pop \nL16: aload_2 \nL17: getstatic Field java/nio/charset/CodingErrorAction IGNORE Ljava/nio/charset/CodingErrorAction; \nL20: invokevirtual Method java/nio/charset/CharsetDecoder onUnmappableCharacter (Ljava/nio/charset/CodingErrorAction;)Ljava/nio/charset/CharsetDecoder; \nL23: pop \nL24: aload_0 \nL25: invokestatic Method java/nio/ByteBuffer wrap ([B)Ljava/nio/ByteBuffer; \nL28: astore_3 \nL29: aload_2 \nL30: aload_3 \nL31: invokevirtual Method java/nio/charset/CharsetDecoder decode (Ljava/nio/ByteBuffer;)Ljava/nio/CharBuffer; \nL34: areturn \nL35: \n .linenumbertable \n L0 54 \n L8 55 \n L16 56 \n L24 57 \n L29 58 \n .end linenumbertable \n .end code \n .exceptions java/nio/charset/CharacterCodingException \n.end method \n\n.method public static compress : (Ljava/lang/String;[B)[B \n .code stack 4 locals 5 \nL0: new java/io/ByteArrayOutputStream \nL3: dup \nL4: invokespecial Method java/io/ByteArrayOutputStream ()V \nL7: astore_2 \nL8: new java/util/zip/ZipOutputStream \nL11: dup \nL12: aload_2 \nL13: invokespecial Method java/util/zip/ZipOutputStream (Ljava/io/OutputStream;)V \nL16: astore_3 \nL17: aload_3 \nL18: new java/util/zip/ZipEntry \nL21: dup \nL22: aload_0 \nL23: invokespecial Method java/util/zip/ZipEntry (Ljava/lang/String;)V \nL26: invokevirtual Method java/util/zip/ZipOutputStream putNextEntry (Ljava/util/zip/ZipEntry;)V \nL29: aload_3 \nL30: aload_1 \nL31: invokevirtual Method java/util/zip/ZipOutputStream write ([B)V \nL34: aload_3 \nL35: invokevirtual Method java/util/zip/ZipOutputStream closeEntry ()V \nL38: aload_3 \nL39: invokevirtual Method java/util/zip/ZipOutputStream close ()V \nL42: aload_2 \nL43: invokevirtual Method java/io/ByteArrayOutputStream toByteArray ()[B \nL46: astore 4 \nL48: aload_2 \nL49: invokevirtual Method java/io/ByteArrayOutputStream close ()V \nL52: aload 4 \nL54: areturn \nL55: \n .linenumbertable \n L0 64 \n L8 65 \n L17 66 \n L29 67 \n L34 68 \n L38 69 \n L42 71 \n L48 73 \n L52 74 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: ldc '0123456789ABCDEF' \nL2: invokevirtual Method java/lang/String toCharArray ()[C \nL5: putstatic Field ByteUtils hexArray [C \nL8: return \nL9: \n .linenumbertable \n L0 16 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ByteUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 00:33:45 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.nio.charset.IllegalCharsetNameException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ByteUtils_ESTest extends ByteUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n byte[] byteArray0 = ByteUtils.toByteArray((-724));\n byte[] byteArray1 = ByteUtils.toByteArray((long) (-724));\n ByteUtils byteUtils0 = new ByteUtils();\n ByteUtils.toString(byteArray1);\n ByteUtils.toHex(byteArray0);\n // Undeclared exception!\n try { \n ByteUtils.removeUnknowBytes(byteArray1, \"\");\n fail(\"Expecting exception: IllegalCharsetNameException\");\n \n } catch(IllegalCharsetNameException e) {\n //\n // \n //\n verifyException(\"java.nio.charset.Charset\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n byte[] byteArray0 = new byte[0];\n String string0 = ByteUtils.toString(byteArray0);\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n byte[] byteArray0 = ByteUtils.toByteArray(0L);\n ByteUtils.toInt(byteArray0);\n assertEquals(8, byteArray0.length);\n assertArrayEquals(new byte[] {(byte)0, (byte)0, (byte)0, (byte)0, (byte)0, (byte)0, (byte)0, (byte)0}, byteArray0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n byte[] byteArray0 = new byte[5];\n byteArray0[0] = (byte)61;\n int int0 = ByteUtils.toInt(byteArray0);\n assertEquals(1023410176, int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n byte[] byteArray0 = new byte[7];\n byteArray0[0] = (byte) (-113);\n int int0 = ByteUtils.toInt(byteArray0);\n assertEquals((-1895825408), int0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n byte[] byteArray0 = new byte[0];\n String string0 = ByteUtils.toHex(byteArray0);\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n byte[] byteArray0 = ByteUtils.toByteArray((-1));\n ByteUtils.compress(\"8rm~>qE\", byteArray0);\n assertArrayEquals(new byte[] {(byte) (-1), (byte) (-1), (byte) (-1), (byte) (-1)}, byteArray0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 00:33:45 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ByteUtils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ByteUtils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpqzq3jll_\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ByteUtils_ESTest_scaffolding.class.getClassLoader() ,\n \"ByteUtils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ByteUtils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ByteUtils\"\n );\n }\n}\n", "class_idx": 167} {"class_name": "Production8964", "java_source": "public class Production8964 {\n\n private String property0;\n\n public String getProperty0() {\n return property0;\n }\n\n public void setProperty0(String value) {\n property0 = value;\n }\n\n private String property1;\n\n public String getProperty1() {\n return property1;\n }\n\n public void setProperty1(String value) {\n property1 = value;\n }\n\n private String property2;\n\n public String getProperty2() {\n return property2;\n }\n\n public void setProperty2(String value) {\n property2 = value;\n }\n\n private String property3;\n\n public String getProperty3() {\n return property3;\n }\n\n public void setProperty3(String value) {\n property3 = value;\n }\n\n private String property4;\n\n public String getProperty4() {\n return property4;\n }\n\n public void setProperty4(String value) {\n property4 = value;\n }\n\n private String property5;\n\n public String getProperty5() {\n return property5;\n }\n\n public void setProperty5(String value) {\n property5 = value;\n }\n\n private String property6;\n\n public String getProperty6() {\n return property6;\n }\n\n public void setProperty6(String value) {\n property6 = value;\n }\n\n private String property7;\n\n public String getProperty7() {\n return property7;\n }\n\n public void setProperty7(String value) {\n property7 = value;\n }\n\n private String property8;\n\n public String getProperty8() {\n return property8;\n }\n\n public void setProperty8(String value) {\n property8 = value;\n }\n\n private String property9;\n\n public String getProperty9() {\n return property9;\n }\n\n public void setProperty9(String value) {\n property9 = value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Production8964 \n.super java/lang/Object \n.field private property0 Ljava/lang/String; \n.field private property1 Ljava/lang/String; \n.field private property2 Ljava/lang/String; \n.field private property3 Ljava/lang/String; \n.field private property4 Ljava/lang/String; \n.field private property5 Ljava/lang/String; \n.field private property6 Ljava/lang/String; \n.field private property7 Ljava/lang/String; \n.field private property8 Ljava/lang/String; \n.field private property9 Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty0 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property0 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty0 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property0 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 12 \n L5 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty1 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property1 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty1 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property1 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 22 \n L5 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty2 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property2 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty2 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property2 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 32 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty3 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property3 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty3 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property3 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 42 \n L5 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty4 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property4 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty4 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property4 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 52 \n L5 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty5 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property5 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty5 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property5 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 62 \n L5 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty6 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property6 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty6 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property6 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty7 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property7 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 78 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty7 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property7 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 82 \n L5 83 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty8 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property8 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 88 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty8 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property8 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 92 \n L5 93 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty9 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production8964 property9 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty9 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production8964 property9 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 102 \n L5 103 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Production8964.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 22:50:16 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Production8964_ESTest extends Production8964_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty9(\"AM9@[Ds.Rq8Aay\");\n String string0 = production8964_0.getProperty9();\n assertEquals(\"AM9@[Ds.Rq8Aay\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty8(\"&\");\n String string0 = production8964_0.getProperty8();\n assertEquals(\"&\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty8(\"\");\n String string0 = production8964_0.getProperty8();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty7(\"5=\\u0007oR$|Dc6`Z\");\n String string0 = production8964_0.getProperty7();\n assertEquals(\"5=\\u0007oR$|Dc6`Z\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty7(\"\");\n String string0 = production8964_0.getProperty7();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty6(\"\");\n String string0 = production8964_0.getProperty6();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty5(\"i;=!=*d\");\n String string0 = production8964_0.getProperty5();\n assertEquals(\"i;=!=*d\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty5(\"\");\n String string0 = production8964_0.getProperty5();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty4(\"Production8964\");\n String string0 = production8964_0.getProperty4();\n assertEquals(\"Production8964\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty3(\"\");\n String string0 = production8964_0.getProperty3();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty2(\"\");\n String string0 = production8964_0.getProperty2();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty1(\"hSO)92b|CF}DWg\");\n String string0 = production8964_0.getProperty1();\n assertEquals(\"hSO)92b|CF}DWg\", string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty1(\"\");\n String string0 = production8964_0.getProperty1();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty0(\"Production8964\");\n String string0 = production8964_0.getProperty0();\n assertEquals(\"Production8964\", string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty0(\"\");\n String string0 = production8964_0.getProperty0();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty9(\"\");\n String string0 = production8964_0.getProperty9();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty9();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty4();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty2(\"hSO)92b|CF}DWg\");\n String string0 = production8964_0.getProperty2();\n assertEquals(\"hSO)92b|CF}DWg\", string0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty3(\"hSO)92b|CF}DWg\");\n String string0 = production8964_0.getProperty3();\n assertEquals(\"hSO)92b|CF}DWg\", string0);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty8();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty3();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty0();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty4(\"\");\n String string0 = production8964_0.getProperty4();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty7();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty2();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty1();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty6();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n String string0 = production8964_0.getProperty5();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n Production8964 production8964_0 = new Production8964();\n production8964_0.setProperty6(\"Production8964\");\n String string0 = production8964_0.getProperty6();\n assertEquals(\"Production8964\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 22:50:16 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Production8964_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Production8964\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprujm45lc\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production8964_ESTest_scaffolding.class.getClassLoader() ,\n \"Production8964\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production8964_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Production8964\"\n );\n }\n}\n", "class_idx": 168} {"class_name": "TestConstants", "java_source": "/*\n * Copyright (C) 2014-2015 LinkedIn Corp. All rights reserved.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use\n * this file except in compliance with the License. You may obtain a copy of the\n * License at http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software distributed\n * under the License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR\n * CONDITIONS OF ANY KIND, either express or implied.\n */\n\n/**\n * A central place for constants used in tests for gobblin-metrics.\n *\n * @author ynli\n */\npublic class TestConstants {\n\n public static final String CONTEXT_NAME = \"TestContext\";\n public static final String RECORDS_PROCESSED = \"recordsProcessed\";\n public static final String RECORD_PROCESS_RATE = \"recordProcessRate\";\n public static final String RECORD_SIZE_DISTRIBUTION = \"recordSizeDistribution\";\n public static final String TOTAL_DURATION = \"totalDuration\";\n public static final String QUEUE_SIZE = \"queueSize\";\n}\n", "jasm_code": ".version 52 0 \n.class public super TestConstants \n.super java/lang/Object \n.field public static final CONTEXT_NAME Ljava/lang/String; = 'TestContext' \n.field public static final RECORDS_PROCESSED Ljava/lang/String; = 'recordsProcessed' \n.field public static final RECORD_PROCESS_RATE Ljava/lang/String; = 'recordProcessRate' \n.field public static final RECORD_SIZE_DISTRIBUTION Ljava/lang/String; = 'recordSizeDistribution' \n.field public static final TOTAL_DURATION Ljava/lang/String; = 'totalDuration' \n.field public static final QUEUE_SIZE Ljava/lang/String; = 'queueSize' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TestConstants.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:15:50 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TestConstants_ESTest extends TestConstants_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TestConstants testConstants0 = new TestConstants();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:15:50 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TestConstants_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TestConstants\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp4fw9jn6l\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestConstants_ESTest_scaffolding.class.getClassLoader() ,\n \"TestConstants\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestConstants_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TestConstants\"\n );\n }\n}\n", "class_idx": 169} {"class_name": "Test", "java_source": "/*\n * Copyright (C) 2015 Intel Corporation\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nclass Test {\n\n public int simple_method(int jj, int ii) {\n jj = ii * jj;\n return jj;\n }\n}\n", "jasm_code": ".version 52 0 \n.class super Test \n.super java/lang/Object \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public simple_method : (II)I \n .code stack 2 locals 3 \nL0: iload_2 \nL1: iload_1 \nL2: imul \nL3: istore_1 \nL4: iload_1 \nL5: ireturn \nL6: \n .linenumbertable \n L0 21 \n L4 22 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Test.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 23:55:13 GMT 2022\n */\n\n\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Test_ESTest extends Test_ESTest_scaffolding {\n\n @org.junit.Test(timeout = 4000)\n public void test0() throws Throwable {\n Test test0 = new Test();\n int int0 = test0.simple_method(0, 0);\n assertEquals(0, int0);\n }\n\n @org.junit.Test(timeout = 4000)\n public void test1() throws Throwable {\n Test test0 = new Test();\n int int0 = test0.simple_method(1, 1);\n assertEquals(1, int0);\n }\n\n @org.junit.Test(timeout = 4000)\n public void test2() throws Throwable {\n Test test0 = new Test();\n int int0 = test0.simple_method((-1), 42098);\n assertEquals((-42098), int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 23:55:13 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Test_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Test\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpps19j8zb\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test_ESTest_scaffolding.class.getClassLoader() ,\n \"Test\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Test\"\n );\n }\n}\n", "class_idx": 170} {"class_name": "ClassUtil", "java_source": "/**\n * @author pluser\n * @version 0.5 2015/1/4\n */\npublic abstract class ClassUtil {\n\n public static final String CLASSPATH_URL_PREFIX = \"classpath:\";\n\n public static ClassLoader getDefaultClassLoader() {\n ClassLoader defaultClassLoader = null;\n try {\n defaultClassLoader = Thread.currentThread().getContextClassLoader();\n } catch (Throwable t) {\n }\n\n if (defaultClassLoader == null) {\n defaultClassLoader = ClassUtil.class.getClassLoader();\n }\n\n return defaultClassLoader;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super abstract ClassUtil \n.super java/lang/Object \n.field public static final CLASSPATH_URL_PREFIX Ljava/lang/String; = 'classpath:' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getDefaultClassLoader : ()Ljava/lang/ClassLoader; \n .code stack 1 locals 2 \nL0: aconst_null \nL1: astore_0 \n .catch java/lang/Throwable from L2 to L9 using L12 \nL2: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread; \nL5: invokevirtual Method java/lang/Thread getContextClassLoader ()Ljava/lang/ClassLoader; \nL8: astore_0 \nL9: goto L13 \n\n .stack full \n locals Object java/lang/ClassLoader \n stack Object java/lang/Throwable \n .end stack \nL12: astore_1 \n\n .stack same \nL13: aload_0 \nL14: ifnonnull L23 \nL17: ldc Class ClassUtil \nL19: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader; \nL22: astore_0 \n\n .stack same \nL23: aload_0 \nL24: areturn \nL25: \n .linenumbertable \n L0 12 \n L2 14 \n L9 16 \n L12 15 \n L13 18 \n L17 19 \n L23 22 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ClassUtil.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 01:26:26 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ClassUtil_ESTest extends ClassUtil_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ClassLoader classLoader0 = ClassUtil.getDefaultClassLoader();\n assertNotNull(classLoader0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 01:26:26 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ClassUtil_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ClassUtil\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp5epcjv1g\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ClassUtil_ESTest_scaffolding.class.getClassLoader() ,\n \"ClassUtil\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ClassUtil_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ClassUtil\"\n );\n }\n}\n", "class_idx": 171} {"class_name": "TestIOByteArrayStream2", "java_source": "/**\n * Created by Defias on 2016/5/6.\n *\n *

\u5b9e\u4f8b\n *\n *

ByteArrayInputStream ByteArrayOutputStream\n */\nimport java.io.*;\n\npublic class TestIOByteArrayStream2 {\n public static void main(String agrs[]) throws IOException {\n ByteArrayOutputStream out = new ByteArrayOutputStream();\n PrintStream ps = new PrintStream(out, true); // \u901a\u8fc7PrintStream\u5199\u5b57\u7b26\u4e32\n ps.print(\"\u597d\");\n ps.close();\n\n byte[] buff = out.toByteArray(); // \u83b7\u5f97\u5b57\u8282\u6570\u7ec4\n System.out.println(\"\u91c7\u7528\u672c\u5730\u64cd\u4f5c\u7cfb\u7edf\u7684\u9ed8\u8ba4\u5b57\u7b26\u7f16\u7801\uff1a\");\n readBuff(buff);\n\n out = new ByteArrayOutputStream();\n DataOutputStream ds = new DataOutputStream(out); // \u901a\u8fc7DataOutputStream\u5199\u5b57\u7b26\u4e32\n ds.writeUTF(\"\u597d\");\n ds.close();\n\n buff = out.toByteArray(); // \u83b7\u5f97\u5b57\u8282\u6570\u7ec4\n System.out.println(\"\u91c7\u7528\u9002\u7528\u4e8eJava\u8bed\u8a00\u7684UTF-8\u5b57\u7b26\u7f16\u7801\uff1a\");\n readBuff(buff);\n }\n\n private static void readBuff(byte[] buff) throws IOException {\n ByteArrayInputStream in = new ByteArrayInputStream(buff);\n int data;\n while ((data = in.read()) != -1) System.out.print(data + \" \");\n System.out.println();\n in.close();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super TestIOByteArrayStream2 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 4 locals 5 \nL0: new java/io/ByteArrayOutputStream \nL3: dup \nL4: invokespecial Method java/io/ByteArrayOutputStream ()V \nL7: astore_1 \nL8: new java/io/PrintStream \nL11: dup \nL12: aload_1 \nL13: iconst_1 \nL14: invokespecial Method java/io/PrintStream (Ljava/io/OutputStream;Z)V \nL17: astore_2 \nL18: aload_2 \nL19: ldc '\u597d' \nL21: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL24: aload_2 \nL25: invokevirtual Method java/io/PrintStream close ()V \nL28: aload_1 \nL29: invokevirtual Method java/io/ByteArrayOutputStream toByteArray ()[B \nL32: astore_3 \nL33: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL36: ldc '\u91c7\u7528\u672c\u5730\u64cd\u4f5c\u7cfb\u7edf\u7684\u9ed8\u8ba4\u5b57\u7b26\u7f16\u7801\uff1a' \nL38: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL41: aload_3 \nL42: invokestatic Method TestIOByteArrayStream2 readBuff ([B)V \nL45: new java/io/ByteArrayOutputStream \nL48: dup \nL49: invokespecial Method java/io/ByteArrayOutputStream ()V \nL52: astore_1 \nL53: new java/io/DataOutputStream \nL56: dup \nL57: aload_1 \nL58: invokespecial Method java/io/DataOutputStream (Ljava/io/OutputStream;)V \nL61: astore 4 \nL63: aload 4 \nL65: ldc '\u597d' \nL67: invokevirtual Method java/io/DataOutputStream writeUTF (Ljava/lang/String;)V \nL70: aload 4 \nL72: invokevirtual Method java/io/DataOutputStream close ()V \nL75: aload_1 \nL76: invokevirtual Method java/io/ByteArrayOutputStream toByteArray ()[B \nL79: astore_3 \nL80: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL83: ldc '\u91c7\u7528\u9002\u7528\u4e8eJava\u8bed\u8a00\u7684UTF-8\u5b57\u7b26\u7f16\u7801\uff1a' \nL85: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL88: aload_3 \nL89: invokestatic Method TestIOByteArrayStream2 readBuff ([B)V \nL92: return \nL93: \n .linenumbertable \n L0 16 \n L8 17 \n L18 18 \n L24 19 \n L28 21 \n L33 22 \n L41 23 \n L45 25 \n L53 26 \n L63 27 \n L70 28 \n L75 30 \n L80 31 \n L88 32 \n L92 33 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n\n.method private static readBuff : ([B)V \n .code stack 3 locals 3 \nL0: new java/io/ByteArrayInputStream \nL3: dup \nL4: aload_0 \nL5: invokespecial Method java/io/ByteArrayInputStream ([B)V \nL8: astore_1 \n\n .stack append Object java/io/ByteArrayInputStream \nL9: aload_1 \nL10: invokevirtual Method java/io/ByteArrayInputStream read ()I \nL13: dup \nL14: istore_2 \nL15: iconst_m1 \nL16: if_icmpeq L47 \nL19: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL22: new java/lang/StringBuilder \nL25: dup \nL26: invokespecial Method java/lang/StringBuilder ()V \nL29: iload_2 \nL30: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL33: ldc ' ' \nL35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL38: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL41: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL44: goto L9 \n\n .stack append Integer \nL47: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL50: invokevirtual Method java/io/PrintStream println ()V \nL53: aload_1 \nL54: invokevirtual Method java/io/ByteArrayInputStream close ()V \nL57: return \nL58: \n .linenumbertable \n L0 36 \n L9 38 \n L19 39 \n L47 40 \n L53 41 \n L57 42 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'TestIOByteArrayStream2.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:58:11 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TestIOByteArrayStream2_ESTest extends TestIOByteArrayStream2_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TestIOByteArrayStream2.main((String[]) null);\n TestIOByteArrayStream2.main((String[]) null);\n TestIOByteArrayStream2 testIOByteArrayStream2_0 = new TestIOByteArrayStream2();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:58:11 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TestIOByteArrayStream2_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TestIOByteArrayStream2\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprla2un_9\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestIOByteArrayStream2_ESTest_scaffolding.class.getClassLoader() ,\n \"TestIOByteArrayStream2\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestIOByteArrayStream2_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TestIOByteArrayStream2\"\n );\n }\n}\n", "class_idx": 172} {"class_name": "BindUtilsException", "java_source": "/** Created by xuejike on 2014/12/20. */\npublic class BindUtilsException extends RuntimeException {\n public BindUtilsException() {}\n\n public BindUtilsException(String detailMessage) {\n super(detailMessage);\n }\n\n public BindUtilsException(String detailMessage, Throwable throwable) {\n super(detailMessage + \"\\n\u5f02\u5e38\u539f\u56e0\uff1a\" + throwable.getCause(), throwable);\n }\n\n public BindUtilsException(Throwable throwable) {\n super(throwable);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BindUtilsException \n.super java/lang/RuntimeException \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/RuntimeException ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n L4 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 11 \n L5 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: new java/lang/StringBuilder \nL4: dup \nL5: invokespecial Method java/lang/StringBuilder ()V \nL8: aload_1 \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: ldc '\\n\u5f02\u5e38\u539f\u56e0\uff1a' \nL14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL17: aload_2 \nL18: invokevirtual Method java/lang/Throwable getCause ()Ljava/lang/Throwable; \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL24: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL27: aload_2 \nL28: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL31: return \nL32: \n .linenumbertable \n L0 15 \n L31 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 19 \n L5 20 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BindUtilsException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 15:24:19 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BindUtilsException_ESTest extends BindUtilsException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BindUtilsException bindUtilsException0 = new BindUtilsException();\n BindUtilsException bindUtilsException1 = new BindUtilsException(\"|p\\u0007f222\", bindUtilsException0);\n assertFalse(bindUtilsException1.equals((Object)bindUtilsException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n BindUtilsException bindUtilsException0 = new BindUtilsException(\"d\");\n BindUtilsException bindUtilsException1 = new BindUtilsException(\"yBr`e.EL;ga~wX \", bindUtilsException0);\n assertFalse(bindUtilsException1.equals((Object)bindUtilsException0));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n BindUtilsException bindUtilsException0 = new BindUtilsException(\"d\");\n BindUtilsException bindUtilsException1 = new BindUtilsException(bindUtilsException0);\n assertFalse(bindUtilsException1.equals((Object)bindUtilsException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 15:24:19 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BindUtilsException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BindUtilsException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp9jym8pbb\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BindUtilsException_ESTest_scaffolding.class.getClassLoader() ,\n \"BindUtilsException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BindUtilsException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BindUtilsException\"\n );\n }\n}\n", "class_idx": 173} {"class_name": "Version", "java_source": "/*\n * Copyright (c) OSGi Alliance (2004, 2012). All Rights Reserved.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.util.NoSuchElementException;\nimport java.util.StringTokenizer;\n\n/**\n * Version identifier for capabilities such as bundles and packages.\n *\n *

Version identifiers have four components.\n *\n *

    \n *
  1. Major version. A non-negative integer.\n *
  2. Minor version. A non-negative integer.\n *
  3. Micro version. A non-negative integer.\n *
  4. Qualifier. A text string. See {@code Version(String)} for the format of the qualifier\n * string.\n *
\n *\n *

{@code Version} objects are immutable.\n */\npublic class Version implements Comparable {\n\n private final int major;\n private final int minor;\n private final int micro;\n private final String qualifier;\n private static final String SEPARATOR = \".\";\n private transient String versionString /* default to null */;\n private transient int hash /* default to 0 */;\n\n /** The empty version \"0.0.0\". */\n public static final Version emptyVersion = new Version(0, 0, 0);\n\n /**\n * Creates a version identifier from the specified numerical components.\n *\n *

The qualifier is set to the empty string.\n *\n * @param major Major component of the version identifier.\n * @param minor Minor component of the version identifier.\n * @param micro Micro component of the version identifier.\n * @throws IllegalArgumentException If the numerical components are negative.\n */\n public Version(int major, int minor, int micro) {\n this(major, minor, micro, null);\n }\n\n /**\n * Creates a version identifier from the specified components.\n *\n * @param major Major component of the version identifier.\n * @param minor Minor component of the version identifier.\n * @param micro Micro component of the version identifier.\n * @param qualifier Qualifier component of the version identifier. If {@code null} is specified,\n * then the qualifier will be set to the empty string.\n * @throws IllegalArgumentException If the numerical components are negative or the qualifier\n * string is invalid.\n */\n public Version(int major, int minor, int micro, String qualifier) {\n if (qualifier == null) {\n qualifier = \"\";\n }\n\n this.major = major;\n this.minor = minor;\n this.micro = micro;\n this.qualifier = qualifier;\n validate();\n }\n\n /**\n * Creates a version identifier from the specified string.\n *\n *

Version string grammar:\n *\n *

\n   * version ::= major('.'minor('.'micro('.'qualifier)?)?)?\n   * major ::= digit+\n   * minor ::= digit+\n   * micro ::= digit+\n   * qualifier ::= (alpha|digit|'_'|'-')+\n   * digit ::= [0..9]\n   * alpha ::= [a..zA..Z]\n   * 
\n *\n * @param version String representation of the version identifier. There must be no whitespace in\n * the argument.\n * @throws IllegalArgumentException If {@code version} is improperly formatted.\n */\n public Version(String version) {\n int maj = 0;\n int min = 0;\n int mic = 0;\n String qual = \"\";\n\n try {\n StringTokenizer st = new StringTokenizer(version, SEPARATOR, true);\n maj = parseInt(st.nextToken(), version);\n\n if (st.hasMoreTokens()) { // minor\n st.nextToken(); // consume delimiter\n min = parseInt(st.nextToken(), version);\n\n if (st.hasMoreTokens()) { // micro\n st.nextToken(); // consume delimiter\n String micval = st.nextToken();\n if (micval.endsWith(\"-SNAPSHOT\")) {\n micval = micval.substring(0, micval.indexOf('-'));\n mic = parseInt(micval, version);\n qual = \"SNAPSHOT\";\n } else {\n mic = parseInt(micval, version);\n }\n\n if (st.hasMoreTokens()) { // qualifier separator\n st.nextToken(); // consume delimiter\n qual = st.nextToken(\"\"); // remaining string\n\n if (st.hasMoreTokens()) { // fail safe\n throw new IllegalArgumentException(\n \"invalid version \\\"\" + version + \"\\\": invalid format\");\n }\n }\n }\n }\n } catch (NoSuchElementException e) {\n IllegalArgumentException iae =\n new IllegalArgumentException(\"invalid version \\\"\" + version + \"\\\": invalid format\");\n iae.initCause(e);\n throw iae;\n }\n\n major = maj;\n minor = min;\n micro = mic;\n qualifier = qual;\n validate();\n }\n\n /**\n * Parse numeric component into an int.\n *\n * @param value Numeric component\n * @param version Complete version string for exception message, if any\n * @return int value of numeric component\n */\n private static int parseInt(String value, String version) {\n try {\n return Integer.parseInt(value);\n } catch (NumberFormatException e) {\n IllegalArgumentException iae =\n new IllegalArgumentException(\n \"invalid version \\\"\" + version + \"\\\": non-numeric \\\"\" + value + \"\\\"\");\n iae.initCause(e);\n throw iae;\n }\n }\n\n /**\n * Called by the Version constructors to validate the version components.\n *\n * @throws IllegalArgumentException If the numerical components are negative or the qualifier\n * string is invalid.\n */\n private void validate() {\n if (major < 0) {\n throw new IllegalArgumentException(\n \"invalid version \\\"\" + toString0() + \"\\\": negative number \\\"\" + major + \"\\\"\");\n }\n if (minor < 0) {\n throw new IllegalArgumentException(\n \"invalid version \\\"\" + toString0() + \"\\\": negative number \\\"\" + minor + \"\\\"\");\n }\n if (micro < 0) {\n throw new IllegalArgumentException(\n \"invalid version \\\"\" + toString0() + \"\\\": negative number \\\"\" + micro + \"\\\"\");\n }\n for (char ch : qualifier.toCharArray()) {\n if (('A' <= ch) && (ch <= 'Z')) {\n continue;\n }\n if (('a' <= ch) && (ch <= 'z')) {\n continue;\n }\n if (('0' <= ch) && (ch <= '9')) {\n continue;\n }\n if ((ch == '_') || (ch == '-')) {\n continue;\n }\n throw new IllegalArgumentException(\n \"invalid version \\\"\" + toString0() + \"\\\": invalid qualifier \\\"\" + qualifier + \"\\\"\");\n }\n }\n\n /**\n * Parses a version identifier from the specified string.\n *\n *

See {@code Version(String)} for the format of the version string.\n *\n * @param version String representation of the version identifier. Leading and trailing whitespace\n * will be ignored.\n * @return A {@code Version} object representing the version identifier. If {@code version} is\n * {@code null} or the empty string then {@code emptyVersion} will be returned.\n * @throws IllegalArgumentException If {@code version} is improperly formatted.\n */\n public static Version parseVersion(String version) {\n if (version == null) {\n return emptyVersion;\n }\n\n version = version.trim();\n if (version.length() == 0) {\n return emptyVersion;\n }\n\n return new Version(version);\n }\n\n /**\n * Returns the major component of this version identifier.\n *\n * @return The major component.\n */\n public int getMajor() {\n return major;\n }\n\n /**\n * Returns the minor component of this version identifier.\n *\n * @return The minor component.\n */\n public int getMinor() {\n return minor;\n }\n\n /**\n * Returns the micro component of this version identifier.\n *\n * @return The micro component.\n */\n public int getMicro() {\n return micro;\n }\n\n /**\n * Returns the qualifier component of this version identifier.\n *\n * @return The qualifier component.\n */\n public String getQualifier() {\n return qualifier;\n }\n\n /**\n * Returns the string representation of this version identifier.\n *\n *

The format of the version string will be {@code major.minor.micro} if qualifier is the empty\n * string or {@code major.minor.micro.qualifier} otherwise.\n *\n * @return The string representation of this version identifier.\n */\n public String toString() {\n return toString0();\n }\n\n /**\n * Internal toString behavior\n *\n * @return The string representation of this version identifier.\n */\n String toString0() {\n if (versionString != null) {\n return versionString;\n }\n int q = qualifier.length();\n StringBuffer result = new StringBuffer(20 + q);\n result.append(major);\n result.append(SEPARATOR);\n result.append(minor);\n result.append(SEPARATOR);\n result.append(micro);\n if (q > 0) {\n result.append(SEPARATOR);\n result.append(qualifier);\n }\n return versionString = result.toString();\n }\n\n /**\n * Returns a hash code value for the object.\n *\n * @return An integer which is a hash code value for this object.\n */\n public int hashCode() {\n if (hash != 0) {\n return hash;\n }\n int h = 31 * 17;\n h = 31 * h + major;\n h = 31 * h + minor;\n h = 31 * h + micro;\n h = 31 * h + qualifier.hashCode();\n return hash = h;\n }\n\n /**\n * Compares this {@code Version} object to another object.\n *\n *

A version is considered to be equal to another version if the major, minor and micro\n * components are equal and the qualifier component is equal (using {@code String.equals}).\n *\n * @param object The {@code Version} object to be compared.\n * @return {@code true} if {@code object} is a {@code Version} and is equal to this object; {@code\n * false} otherwise.\n */\n public boolean equals(Object object) {\n if (object == this) { // quicktest\n return true;\n }\n\n if (!(object instanceof Version)) {\n return false;\n }\n\n Version other = (Version) object;\n return (major == other.major)\n && (minor == other.minor)\n && (micro == other.micro)\n && qualifier.equals(other.qualifier);\n }\n\n /**\n * Compares this {@code Version} object to another {@code Version}.\n *\n *

A version is considered to be less than another version if its major component is\n * less than the other version's major component, or the major components are equal and its minor\n * component is less than the other version's minor component, or the major and minor components\n * are equal and its micro component is less than the other version's micro component, or the\n * major, minor and micro components are equal and it's qualifier component is less than the other\n * version's qualifier component (using {@code String.compareTo}).\n *\n *

A version is considered to be equal to another version if the major, minor and micro\n * components are equal and the qualifier component is equal (using {@code String.compareTo}).\n *\n * @param other The {@code Version} object to be compared.\n * @return A negative integer, zero, or a positive integer if this version is less than, equal to,\n * or greater than the specified {@code Version} object.\n * @throws ClassCastException If the specified object is not a {@code Version} object.\n */\n public int compareTo(Version other) {\n if (other == this) { // quicktest\n return 0;\n }\n\n int result = major - other.major;\n if (result != 0) {\n return result;\n }\n\n result = minor - other.minor;\n if (result != 0) {\n return result;\n }\n\n result = micro - other.micro;\n if (result != 0) {\n return result;\n }\n\n return qualifier.compareTo(other.qualifier);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Version \n.super java/lang/Object \n.implements java/lang/Comparable \n.field private final major I \n.field private final minor I \n.field private final micro I \n.field private final qualifier Ljava/lang/String; \n.field private static final SEPARATOR Ljava/lang/String; = '.' \n.field private transient versionString Ljava/lang/String; \n.field private transient hash I \n.field public static final emptyVersion LVersion; \n\n.method public : (III)V \n .code stack 5 locals 4 \nL0: aload_0 \nL1: iload_1 \nL2: iload_2 \nL3: iload_3 \nL4: aconst_null \nL5: invokespecial Method Version (IIILjava/lang/String;)V \nL8: return \nL9: \n .linenumbertable \n L0 67 \n L8 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (IIILjava/lang/String;)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload 4 \nL6: ifnonnull L13 \nL9: ldc '' \nL11: astore 4 \n\n .stack full \n locals Object Version Integer Integer Integer Object java/lang/String \n stack \n .end stack \nL13: aload_0 \nL14: iload_1 \nL15: putfield Field Version major I \nL18: aload_0 \nL19: iload_2 \nL20: putfield Field Version minor I \nL23: aload_0 \nL24: iload_3 \nL25: putfield Field Version micro I \nL28: aload_0 \nL29: aload 4 \nL31: putfield Field Version qualifier Ljava/lang/String; \nL34: aload_0 \nL35: invokespecial Method Version validate ()V \nL38: return \nL39: \n .linenumbertable \n L0 82 \n L4 83 \n L9 84 \n L13 87 \n L18 88 \n L23 89 \n L28 90 \n L34 91 \n L38 92 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 5 locals 8 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: iconst_0 \nL5: istore_2 \nL6: iconst_0 \nL7: istore_3 \nL8: iconst_0 \nL9: istore 4 \nL11: ldc '' \nL13: astore 5 \n .catch java/util/NoSuchElementException from L15 to L194 using L197 \nL15: new java/util/StringTokenizer \nL18: dup \nL19: aload_1 \nL20: ldc '.' \nL22: iconst_1 \nL23: invokespecial Method java/util/StringTokenizer (Ljava/lang/String;Ljava/lang/String;Z)V \nL26: astore 6 \nL28: aload 6 \nL30: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String; \nL33: aload_1 \nL34: invokestatic Method Version parseInt (Ljava/lang/String;Ljava/lang/String;)I \nL37: istore_2 \nL38: aload 6 \nL40: invokevirtual Method java/util/StringTokenizer hasMoreTokens ()Z \nL43: ifeq L194 \nL46: aload 6 \nL48: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String; \nL51: pop \nL52: aload 6 \nL54: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String; \nL57: aload_1 \nL58: invokestatic Method Version parseInt (Ljava/lang/String;Ljava/lang/String;)I \nL61: istore_3 \nL62: aload 6 \nL64: invokevirtual Method java/util/StringTokenizer hasMoreTokens ()Z \nL67: ifeq L194 \nL70: aload 6 \nL72: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String; \nL75: pop \nL76: aload 6 \nL78: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String; \nL81: astore 7 \nL83: aload 7 \nL85: ldc '-SNAPSHOT' \nL87: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z \nL90: ifeq L123 \nL93: aload 7 \nL95: iconst_0 \nL96: aload 7 \nL98: bipush 45 \nL100: invokevirtual Method java/lang/String indexOf (I)I \nL103: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL106: astore 7 \nL108: aload 7 \nL110: aload_1 \nL111: invokestatic Method Version parseInt (Ljava/lang/String;Ljava/lang/String;)I \nL114: istore 4 \nL116: ldc 'SNAPSHOT' \nL118: astore 5 \nL120: goto L131 \n\n .stack full \n locals Object Version Object java/lang/String Integer Integer Integer Object java/lang/String Object java/util/StringTokenizer Object java/lang/String \n stack \n .end stack \nL123: aload 7 \nL125: aload_1 \nL126: invokestatic Method Version parseInt (Ljava/lang/String;Ljava/lang/String;)I \nL129: istore 4 \n\n .stack same \nL131: aload 6 \nL133: invokevirtual Method java/util/StringTokenizer hasMoreTokens ()Z \nL136: ifeq L194 \nL139: aload 6 \nL141: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String; \nL144: pop \nL145: aload 6 \nL147: ldc '' \nL149: invokevirtual Method java/util/StringTokenizer nextToken (Ljava/lang/String;)Ljava/lang/String; \nL152: astore 5 \nL154: aload 6 \nL156: invokevirtual Method java/util/StringTokenizer hasMoreTokens ()Z \nL159: ifeq L194 \nL162: new java/lang/IllegalArgumentException \nL165: dup \nL166: new java/lang/StringBuilder \nL169: dup \nL170: invokespecial Method java/lang/StringBuilder ()V \nL173: ldc 'invalid version \"' \nL175: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL178: aload_1 \nL179: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL182: ldc '\": invalid format' \nL184: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL187: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL190: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL193: athrow \n\n .stack chop 2 \nL194: goto L243 \n\n .stack stack_1 Object java/util/NoSuchElementException \nL197: astore 6 \nL199: new java/lang/IllegalArgumentException \nL202: dup \nL203: new java/lang/StringBuilder \nL206: dup \nL207: invokespecial Method java/lang/StringBuilder ()V \nL210: ldc 'invalid version \"' \nL212: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL215: aload_1 \nL216: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL219: ldc '\": invalid format' \nL221: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL224: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL227: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL230: astore 7 \nL232: aload 7 \nL234: aload 6 \nL236: invokevirtual Method java/lang/IllegalArgumentException initCause (Ljava/lang/Throwable;)Ljava/lang/Throwable; \nL239: pop \nL240: aload 7 \nL242: athrow \n\n .stack same \nL243: aload_0 \nL244: iload_2 \nL245: putfield Field Version major I \nL248: aload_0 \nL249: iload_3 \nL250: putfield Field Version minor I \nL253: aload_0 \nL254: iload 4 \nL256: putfield Field Version micro I \nL259: aload_0 \nL260: aload 5 \nL262: putfield Field Version qualifier Ljava/lang/String; \nL265: aload_0 \nL266: invokespecial Method Version validate ()V \nL269: return \nL270: \n .linenumbertable \n L0 115 \n L4 116 \n L6 117 \n L8 118 \n L11 119 \n L15 122 \n L28 123 \n L38 125 \n L46 126 \n L52 127 \n L62 129 \n L70 130 \n L76 131 \n L83 132 \n L93 133 \n L108 134 \n L116 135 \n L123 137 \n L131 140 \n L139 141 \n L145 142 \n L154 144 \n L162 145 \n L194 154 \n L197 150 \n L199 151 \n L232 152 \n L240 153 \n L243 156 \n L248 157 \n L253 158 \n L259 159 \n L265 160 \n L269 161 \n .end linenumbertable \n .end code \n.end method \n\n.method private static parseInt : (Ljava/lang/String;Ljava/lang/String;)I \n .code stack 4 locals 4 \n .catch java/lang/NumberFormatException from L0 to L4 using L5 \nL0: aload_0 \nL1: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL4: ireturn \n\n .stack stack_1 Object java/lang/NumberFormatException \nL5: astore_2 \nL6: new java/lang/IllegalArgumentException \nL9: dup \nL10: new java/lang/StringBuilder \nL13: dup \nL14: invokespecial Method java/lang/StringBuilder ()V \nL17: ldc 'invalid version \"' \nL19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL22: aload_1 \nL23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL26: ldc '\": non-numeric \"' \nL28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL31: aload_0 \nL32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL35: ldc '\"' \nL37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL43: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL46: astore_3 \nL47: aload_3 \nL48: aload_2 \nL49: invokevirtual Method java/lang/IllegalArgumentException initCause (Ljava/lang/Throwable;)Ljava/lang/Throwable; \nL52: pop \nL53: aload_3 \nL54: athrow \nL55: \n .linenumbertable \n L0 172 \n L5 173 \n L6 174 \n L47 175 \n L53 176 \n .end linenumbertable \n .end code \n.end method \n\n.method private validate : ()V \n .code stack 4 locals 5 \nL0: aload_0 \nL1: getfield Field Version major I \nL4: ifge L54 \nL7: new java/lang/IllegalArgumentException \nL10: dup \nL11: new java/lang/StringBuilder \nL14: dup \nL15: invokespecial Method java/lang/StringBuilder ()V \nL18: ldc 'invalid version \"' \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL23: aload_0 \nL24: invokevirtual Method Version toString0 ()Ljava/lang/String; \nL27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL30: ldc '\": negative number \"' \nL32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL35: aload_0 \nL36: getfield Field Version major I \nL39: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL42: ldc '\"' \nL44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL47: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL50: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL53: athrow \n\n .stack same \nL54: aload_0 \nL55: getfield Field Version minor I \nL58: ifge L108 \nL61: new java/lang/IllegalArgumentException \nL64: dup \nL65: new java/lang/StringBuilder \nL68: dup \nL69: invokespecial Method java/lang/StringBuilder ()V \nL72: ldc 'invalid version \"' \nL74: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL77: aload_0 \nL78: invokevirtual Method Version toString0 ()Ljava/lang/String; \nL81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL84: ldc '\": negative number \"' \nL86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL89: aload_0 \nL90: getfield Field Version minor I \nL93: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL96: ldc '\"' \nL98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL101: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL104: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL107: athrow \n\n .stack same \nL108: aload_0 \nL109: getfield Field Version micro I \nL112: ifge L162 \nL115: new java/lang/IllegalArgumentException \nL118: dup \nL119: new java/lang/StringBuilder \nL122: dup \nL123: invokespecial Method java/lang/StringBuilder ()V \nL126: ldc 'invalid version \"' \nL128: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL131: aload_0 \nL132: invokevirtual Method Version toString0 ()Ljava/lang/String; \nL135: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL138: ldc '\": negative number \"' \nL140: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL143: aload_0 \nL144: getfield Field Version micro I \nL147: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL150: ldc '\"' \nL152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL155: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL158: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL161: athrow \n\n .stack same \nL162: aload_0 \nL163: getfield Field Version qualifier Ljava/lang/String; \nL166: invokevirtual Method java/lang/String toCharArray ()[C \nL169: astore_1 \nL170: aload_1 \nL171: arraylength \nL172: istore_2 \nL173: iconst_0 \nL174: istore_3 \n\n .stack append Object [C Integer Integer \nL175: iload_3 \nL176: iload_2 \nL177: if_icmpge L306 \nL180: aload_1 \nL181: iload_3 \nL182: caload \nL183: istore 4 \nL185: bipush 65 \nL187: iload 4 \nL189: if_icmpgt L202 \nL192: iload 4 \nL194: bipush 90 \nL196: if_icmpgt L202 \nL199: goto L300 \n\n .stack append Integer \nL202: bipush 97 \nL204: iload 4 \nL206: if_icmpgt L219 \nL209: iload 4 \nL211: bipush 122 \nL213: if_icmpgt L219 \nL216: goto L300 \n\n .stack same \nL219: bipush 48 \nL221: iload 4 \nL223: if_icmpgt L236 \nL226: iload 4 \nL228: bipush 57 \nL230: if_icmpgt L236 \nL233: goto L300 \n\n .stack same \nL236: iload 4 \nL238: bipush 95 \nL240: if_icmpeq L300 \nL243: iload 4 \nL245: bipush 45 \nL247: if_icmpne L253 \nL250: goto L300 \n\n .stack same \nL253: new java/lang/IllegalArgumentException \nL256: dup \nL257: new java/lang/StringBuilder \nL260: dup \nL261: invokespecial Method java/lang/StringBuilder ()V \nL264: ldc 'invalid version \"' \nL266: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL269: aload_0 \nL270: invokevirtual Method Version toString0 ()Ljava/lang/String; \nL273: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL276: ldc '\": invalid qualifier \"' \nL278: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL281: aload_0 \nL282: getfield Field Version qualifier Ljava/lang/String; \nL285: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL288: ldc '\"' \nL290: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL293: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL296: invokespecial Method java/lang/IllegalArgumentException (Ljava/lang/String;)V \nL299: athrow \n\n .stack chop 1 \nL300: iinc 3 1 \nL303: goto L175 \n\n .stack chop 3 \nL306: return \nL307: \n .linenumbertable \n L0 187 \n L7 188 \n L54 190 \n L61 191 \n L108 193 \n L115 194 \n L162 196 \n L185 197 \n L199 198 \n L202 200 \n L216 201 \n L219 203 \n L233 204 \n L236 206 \n L250 207 \n L253 209 \n L300 196 \n L306 211 \n .end linenumbertable \n .end code \n.end method \n\n.method public static parseVersion : (Ljava/lang/String;)LVersion; \n .code stack 3 locals 1 \nL0: aload_0 \nL1: ifnonnull L8 \nL4: getstatic Field Version emptyVersion LVersion; \nL7: areturn \n\n .stack same \nL8: aload_0 \nL9: invokevirtual Method java/lang/String trim ()Ljava/lang/String; \nL12: astore_0 \nL13: aload_0 \nL14: invokevirtual Method java/lang/String length ()I \nL17: ifne L24 \nL20: getstatic Field Version emptyVersion LVersion; \nL23: areturn \n\n .stack same \nL24: new Version \nL27: dup \nL28: aload_0 \nL29: invokespecial Method Version (Ljava/lang/String;)V \nL32: areturn \nL33: \n .linenumbertable \n L0 228 \n L4 229 \n L8 232 \n L13 233 \n L20 234 \n L24 237 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMajor : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Version major I \nL4: ireturn \nL5: \n .linenumbertable \n L0 246 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMinor : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Version minor I \nL4: ireturn \nL5: \n .linenumbertable \n L0 255 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMicro : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Version micro I \nL4: ireturn \nL5: \n .linenumbertable \n L0 264 \n .end linenumbertable \n .end code \n.end method \n\n.method public getQualifier : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Version qualifier Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 273 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method Version toString0 ()Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 287 \n .end linenumbertable \n .end code \n.end method \n\n.method toString0 : ()Ljava/lang/String; \n .code stack 4 locals 3 \nL0: aload_0 \nL1: getfield Field Version versionString Ljava/lang/String; \nL4: ifnull L12 \nL7: aload_0 \nL8: getfield Field Version versionString Ljava/lang/String; \nL11: areturn \n\n .stack same \nL12: aload_0 \nL13: getfield Field Version qualifier Ljava/lang/String; \nL16: invokevirtual Method java/lang/String length ()I \nL19: istore_1 \nL20: new java/lang/StringBuffer \nL23: dup \nL24: bipush 20 \nL26: iload_1 \nL27: iadd \nL28: invokespecial Method java/lang/StringBuffer (I)V \nL31: astore_2 \nL32: aload_2 \nL33: aload_0 \nL34: getfield Field Version major I \nL37: invokevirtual Method java/lang/StringBuffer append (I)Ljava/lang/StringBuffer; \nL40: pop \nL41: aload_2 \nL42: ldc '.' \nL44: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL47: pop \nL48: aload_2 \nL49: aload_0 \nL50: getfield Field Version minor I \nL53: invokevirtual Method java/lang/StringBuffer append (I)Ljava/lang/StringBuffer; \nL56: pop \nL57: aload_2 \nL58: ldc '.' \nL60: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL63: pop \nL64: aload_2 \nL65: aload_0 \nL66: getfield Field Version micro I \nL69: invokevirtual Method java/lang/StringBuffer append (I)Ljava/lang/StringBuffer; \nL72: pop \nL73: iload_1 \nL74: ifle L93 \nL77: aload_2 \nL78: ldc '.' \nL80: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL83: pop \nL84: aload_2 \nL85: aload_0 \nL86: getfield Field Version qualifier Ljava/lang/String; \nL89: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; \nL92: pop \n\n .stack append Integer Object java/lang/StringBuffer \nL93: aload_0 \nL94: aload_2 \nL95: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; \nL98: dup_x1 \nL99: putfield Field Version versionString Ljava/lang/String; \nL102: areturn \nL103: \n .linenumbertable \n L0 296 \n L7 297 \n L12 299 \n L20 300 \n L32 301 \n L41 302 \n L48 303 \n L57 304 \n L64 305 \n L73 306 \n L77 307 \n L84 308 \n L93 310 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 3 locals 2 \nL0: aload_0 \nL1: getfield Field Version hash I \nL4: ifeq L12 \nL7: aload_0 \nL8: getfield Field Version hash I \nL11: ireturn \n\n .stack same \nL12: sipush 527 \nL15: istore_1 \nL16: bipush 31 \nL18: iload_1 \nL19: imul \nL20: aload_0 \nL21: getfield Field Version major I \nL24: iadd \nL25: istore_1 \nL26: bipush 31 \nL28: iload_1 \nL29: imul \nL30: aload_0 \nL31: getfield Field Version minor I \nL34: iadd \nL35: istore_1 \nL36: bipush 31 \nL38: iload_1 \nL39: imul \nL40: aload_0 \nL41: getfield Field Version micro I \nL44: iadd \nL45: istore_1 \nL46: bipush 31 \nL48: iload_1 \nL49: imul \nL50: aload_0 \nL51: getfield Field Version qualifier Ljava/lang/String; \nL54: invokevirtual Method java/lang/String hashCode ()I \nL57: iadd \nL58: istore_1 \nL59: aload_0 \nL60: iload_1 \nL61: dup_x1 \nL62: putfield Field Version hash I \nL65: ireturn \nL66: \n .linenumbertable \n L0 319 \n L7 320 \n L12 322 \n L16 323 \n L26 324 \n L36 325 \n L46 326 \n L59 327 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_1 \nL1: aload_0 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: instanceof Version \nL11: ifne L16 \nL14: iconst_0 \nL15: ireturn \n\n .stack same \nL16: aload_1 \nL17: checkcast Version \nL20: astore_2 \nL21: aload_0 \nL22: getfield Field Version major I \nL25: aload_2 \nL26: getfield Field Version major I \nL29: if_icmpne L72 \nL32: aload_0 \nL33: getfield Field Version minor I \nL36: aload_2 \nL37: getfield Field Version minor I \nL40: if_icmpne L72 \nL43: aload_0 \nL44: getfield Field Version micro I \nL47: aload_2 \nL48: getfield Field Version micro I \nL51: if_icmpne L72 \nL54: aload_0 \nL55: getfield Field Version qualifier Ljava/lang/String; \nL58: aload_2 \nL59: getfield Field Version qualifier Ljava/lang/String; \nL62: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL65: ifeq L72 \nL68: iconst_1 \nL69: goto L73 \n\n .stack append Object Version \nL72: iconst_0 \n\n .stack stack_1 Integer \nL73: ireturn \nL74: \n .linenumbertable \n L0 343 \n L5 344 \n L7 347 \n L14 348 \n L16 351 \n L21 352 \n .end linenumbertable \n .end code \n.end method \n\n.method public compareTo : (LVersion;)I \n .code stack 2 locals 3 \nL0: aload_1 \nL1: aload_0 \nL2: if_acmpne L7 \nL5: iconst_0 \nL6: ireturn \n\n .stack same \nL7: aload_0 \nL8: getfield Field Version major I \nL11: aload_1 \nL12: getfield Field Version major I \nL15: isub \nL16: istore_2 \nL17: iload_2 \nL18: ifeq L23 \nL21: iload_2 \nL22: ireturn \n\n .stack append Integer \nL23: aload_0 \nL24: getfield Field Version minor I \nL27: aload_1 \nL28: getfield Field Version minor I \nL31: isub \nL32: istore_2 \nL33: iload_2 \nL34: ifeq L39 \nL37: iload_2 \nL38: ireturn \n\n .stack same \nL39: aload_0 \nL40: getfield Field Version micro I \nL43: aload_1 \nL44: getfield Field Version micro I \nL47: isub \nL48: istore_2 \nL49: iload_2 \nL50: ifeq L55 \nL53: iload_2 \nL54: ireturn \n\n .stack same \nL55: aload_0 \nL56: getfield Field Version qualifier Ljava/lang/String; \nL59: aload_1 \nL60: getfield Field Version qualifier Ljava/lang/String; \nL63: invokevirtual Method java/lang/String compareTo (Ljava/lang/String;)I \nL66: ireturn \nL67: \n .linenumbertable \n L0 381 \n L5 382 \n L7 385 \n L17 386 \n L21 387 \n L23 390 \n L33 391 \n L37 392 \n L39 395 \n L49 396 \n L53 397 \n L55 400 \n .end linenumbertable \n .end code \n.end method \n\n.method public bridge synthetic compareTo : (Ljava/lang/Object;)I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: checkcast Version \nL5: invokevirtual Method Version compareTo (LVersion;)I \nL8: ireturn \nL9: \n .linenumbertable \n L0 39 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 5 locals 0 \nL0: new Version \nL3: dup \nL4: iconst_0 \nL5: iconst_0 \nL6: iconst_0 \nL7: invokespecial Method Version (III)V \nL10: putstatic Field Version emptyVersion LVersion; \nL13: return \nL14: \n .linenumbertable \n L0 52 \n .end linenumbertable \n .end code \n.end method \n.signature Ljava/lang/Object;Ljava/lang/Comparable; \n.sourcefile 'Version.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 16:28:39 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Version_ESTest extends Version_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Version version0 = Version.emptyVersion;\n version0.emptyVersion.toString();\n Version version1 = Version.parseVersion(\"0.0.0\");\n version1.toString();\n version0.compareTo(version1);\n Version version2 = null;\n try {\n version2 = new Version(\"\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"\\\": invalid format\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Version version0 = Version.emptyVersion;\n version0.emptyVersion.toString();\n Version version1 = Version.parseVersion(\"0.0.0\");\n version1.toString();\n version0.hashCode();\n version0.getQualifier();\n version0.hashCode();\n version0.getQualifier();\n version0.compareTo(version1);\n Version version2 = null;\n try {\n version2 = new Version(\"\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"\\\": invalid format\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Version version0 = new Version(74027, 74027, 0);\n Version version1 = new Version(527, 0, 527);\n int int0 = version1.compareTo(version0);\n assertEquals(527, version1.getMicro());\n assertEquals(0, version1.getMinor());\n assertEquals(527, version1.getMajor());\n assertEquals((-73500), int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Version version0 = new Version(0, 0, 0, \"-SNAPSHOT\");\n version0.hashCode();\n assertEquals(0, version0.getMajor());\n assertEquals(0, version0.getMicro());\n assertEquals(0, version0.getMinor());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Version version0 = new Version(106266, 37115, 48, \"\");\n version0.hashCode();\n version0.hashCode();\n assertEquals(48, version0.getMicro());\n assertEquals(106266, version0.getMajor());\n assertEquals(37115, version0.getMinor());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Version version0 = Version.emptyVersion;\n Version version1 = Version.parseVersion(\"\");\n version1.emptyVersion.toString();\n version1.hashCode();\n Version version2 = Version.parseVersion(\"0.0.0\");\n int int0 = version0.compareTo(version1);\n int int1 = version0.getMicro();\n int int2 = version1.getMajor();\n assertTrue(int2 == int0);\n \n version1.getQualifier();\n Object object0 = new Object();\n boolean boolean0 = version1.equals(object0);\n assertFalse(boolean0);\n \n int int3 = version1.getMinor();\n assertTrue(int3 == int1);\n assertNotSame(version1, version2);\n assertEquals(0, int3);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n String string0 = \"\";\n Version version0 = null;\n try {\n version0 = new Version(0, 0, (-44789), \"\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"0.0.-44789\\\": negative number \\\"-44789\\\"\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Version version0 = new Version(0, 45, 90);\n version0.emptyVersion.toString0();\n version0.hashCode();\n version0.emptyVersion.toString();\n Version version1 = Version.parseVersion((String) null);\n int int0 = version0.getMicro();\n assertEquals(90, int0);\n \n Version.parseVersion(\"\");\n boolean boolean0 = version0.equals(version1);\n assertEquals(0, version0.getMajor());\n assertFalse(boolean0);\n assertEquals(45, version0.getMinor());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Version version0 = null;\n try {\n version0 = new Version(2445, 0, 2445, \"%P)sme|bs`{5sC#\\\"Y\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"2445.0.2445.%P)sme|bs`{5sC#\\\"Y\\\": invalid qualifier \\\"%P)sme|bs`{5sC#\\\"Y\\\"\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Version version0 = null;\n try {\n version0 = new Version((-10407), 0, (-69979), \"\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"-10407.0.-69979\\\": negative number \\\"-10407\\\"\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Version version0 = Version.emptyVersion;\n version0.emptyVersion.hashCode();\n version0.toString();\n version0.toString();\n version0.getMinor();\n version0.getMinor();\n // Undeclared exception!\n try { \n Version.parseVersion(\"oweTYy,Rw\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"oweTYy,Rw\\\": non-numeric \\\"oweTYy,Rw\\\"\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Version version0 = new Version(11570, 90, 11570);\n int int0 = version0.getMajor();\n assertEquals(11570, version0.getMicro());\n assertEquals(90, version0.getMinor());\n assertEquals(11570, int0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Version version0 = new Version(0, 0, 0, \"-SNAPSHOT\");\n Version version1 = Version.parseVersion(\"\");\n int int0 = version1.compareTo(version0);\n assertEquals((-9), int0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Version version0 = Version.emptyVersion;\n version0.emptyVersion.toString();\n version0.hashCode();\n Version version1 = Version.parseVersion(\"0.0.0\");\n version0.emptyVersion.toString0();\n int int0 = version0.compareTo(version0);\n assertEquals(0, int0);\n \n int int1 = version0.getMicro();\n int int2 = version0.getMajor();\n assertTrue(int2 == int1);\n \n String string0 = version0.toString();\n assertNotNull(string0);\n \n version0.getQualifier();\n assertTrue(version0.equals((Object)version1));\n \n Object object0 = new Object();\n boolean boolean0 = version0.equals(object0);\n assertNotSame(version0, version1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Version version0 = new Version(39606, 39606, 39606, \"\");\n Version version1 = Version.parseVersion(\"39606.39606.39606\");\n int int0 = version1.compareTo(version0);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Version version0 = new Version(74027, 74027, 0);\n Version version1 = new Version(527, 0, 527);\n int int0 = version0.compareTo(version1);\n assertEquals(0, version1.getMinor());\n assertEquals(73500, int0);\n assertEquals(527, version1.getMajor());\n assertEquals(527, version1.getMicro());\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Version version0 = new Version(132920, 0, 0);\n Version version1 = Version.emptyVersion;\n boolean boolean0 = version0.equals(version1);\n assertFalse(boolean0);\n assertFalse(version1.equals((Object)version0));\n assertEquals(0, version0.getMinor());\n assertEquals(0, version0.getMicro());\n assertEquals(132920, version0.getMajor());\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Version version0 = Version.emptyVersion;\n boolean boolean0 = version0.equals(version0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Version version0 = new Version(0, 0, 0);\n version0.toString0();\n String string0 = version0.toString();\n assertEquals(\"0.0.0\", string0);\n assertNotNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Version version0 = null;\n try {\n version0 = new Version(13851, 13851, 13851, \"ZdVdw-3A}\");\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"13851.13851.13851.ZdVdw-3A}\\\": invalid qualifier \\\"ZdVdw-3A}\\\"\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Version version0 = null;\n try {\n version0 = new Version(20, (-18051), 0);\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"20.-18051.0\\\": negative number \\\"-18051\\\"\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Version version0 = null;\n try {\n version0 = new Version((-83702), (-18445), (-18445), (String) null);\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // invalid version \\\"-83702.-18445.-18445\\\": negative number \\\"-83702\\\"\n //\n verifyException(\"Version\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Version version0 = Version.parseVersion(\"0.0.0.-SNAPSHOT\");\n assertEquals(\"-SNAPSHOT\", version0.getQualifier());\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Version version0 = Version.parseVersion(\"93\");\n assertEquals(93, version0.getMajor());\n assertEquals(0, version0.getMicro());\n assertEquals(0, version0.getMinor());\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Version version0 = new Version(\"0.0.0\");\n assertEquals(0, version0.getMicro());\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n Version version0 = new Version(39606, 39606, 39606, \"\");\n int int0 = version0.getMinor();\n assertEquals(39606, version0.getMicro());\n assertEquals(39606, version0.getMajor());\n assertEquals(39606, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 16:28:39 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Version_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Version\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpjw_feudf\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Version_ESTest_scaffolding.class.getClassLoader() ,\n \"Version\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Version_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Version\"\n );\n }\n}\n", "class_idx": 174} {"class_name": "ContainersOfBalls", "java_source": "import java.util.Arrays;\n\npublic class ContainersOfBalls {\n\n static String organizingContainers(int[][] container) {\n int[] containersCap = new int[container.length];\n int[] ballTypeCap = new int[container[0].length];\n\n for (int i = 0; i < container.length; i++) {\n int currContCap = 0;\n for (int j = 0; j < container[i].length; j++) {\n currContCap += container[i][j];\n ballTypeCap[j] += container[i][j];\n }\n containersCap[i] = currContCap;\n }\n\n Arrays.sort(containersCap);\n Arrays.sort(ballTypeCap);\n for (int i = 0; i < containersCap.length; i++) {\n if (containersCap[i] != ballTypeCap[i]) {\n return \"Impossible\";\n }\n }\n return \"Possible\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ContainersOfBalls \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method static organizingContainers : ([[I)Ljava/lang/String; \n .code stack 5 locals 6 \nL0: aload_0 \nL1: arraylength \nL2: newarray int \nL4: astore_1 \nL5: aload_0 \nL6: iconst_0 \nL7: aaload \nL8: arraylength \nL9: newarray int \nL11: astore_2 \nL12: iconst_0 \nL13: istore_3 \n\n .stack append Object [I Object [I Integer \nL14: iload_3 \nL15: aload_0 \nL16: arraylength \nL17: if_icmpge L76 \nL20: iconst_0 \nL21: istore 4 \nL23: iconst_0 \nL24: istore 5 \n\n .stack append Integer Integer \nL26: iload 5 \nL28: aload_0 \nL29: iload_3 \nL30: aaload \nL31: arraylength \nL32: if_icmpge L65 \nL35: iload 4 \nL37: aload_0 \nL38: iload_3 \nL39: aaload \nL40: iload 5 \nL42: iaload \nL43: iadd \nL44: istore 4 \nL46: aload_2 \nL47: iload 5 \nL49: dup2 \nL50: iaload \nL51: aload_0 \nL52: iload_3 \nL53: aaload \nL54: iload 5 \nL56: iaload \nL57: iadd \nL58: iastore \nL59: iinc 5 1 \nL62: goto L26 \n\n .stack chop 1 \nL65: aload_1 \nL66: iload_3 \nL67: iload 4 \nL69: iastore \nL70: iinc 3 1 \nL73: goto L14 \n\n .stack chop 2 \nL76: aload_1 \nL77: invokestatic Method java/util/Arrays sort ([I)V \nL80: aload_2 \nL81: invokestatic Method java/util/Arrays sort ([I)V \nL84: iconst_0 \nL85: istore_3 \n\n .stack append Integer \nL86: iload_3 \nL87: aload_1 \nL88: arraylength \nL89: if_icmpge L110 \nL92: aload_1 \nL93: iload_3 \nL94: iaload \nL95: aload_2 \nL96: iload_3 \nL97: iaload \nL98: if_icmpeq L104 \nL101: ldc 'Impossible' \nL103: areturn \n\n .stack same \nL104: iinc 3 1 \nL107: goto L86 \n\n .stack chop 1 \nL110: ldc 'Possible' \nL112: areturn \nL113: \n .linenumbertable \n L0 8 \n L5 9 \n L12 11 \n L20 12 \n L23 13 \n L35 14 \n L46 15 \n L59 13 \n L65 17 \n L70 11 \n L76 20 \n L80 21 \n L84 22 \n L92 23 \n L101 24 \n L104 22 \n L110 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ContainersOfBalls.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 21:23:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ContainersOfBalls_ESTest extends ContainersOfBalls_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n int[][] intArray0 = new int[6][5];\n int[] intArray1 = new int[6];\n intArray1[0] = 54612;\n intArray1[1] = 64374;\n intArray0[0] = intArray1;\n String string0 = ContainersOfBalls.organizingContainers(intArray0);\n assertEquals(\"Impossible\", string0);\n \n int[][] intArray2 = new int[2][5];\n String string1 = ContainersOfBalls.organizingContainers(intArray2);\n assertEquals(\"Possible\", string1);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n int[][] intArray0 = new int[6][5];\n int[] intArray1 = new int[6];\n intArray1[0] = 54612;\n intArray1[2] = (-13114);\n intArray0[0] = intArray1;\n String string0 = ContainersOfBalls.organizingContainers(intArray0);\n assertEquals(\"Impossible\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n int[][] intArray0 = new int[1][1];\n int[] intArray1 = new int[2];\n intArray0[0] = intArray1;\n ContainersOfBalls.organizingContainers(intArray0);\n ContainersOfBalls.organizingContainers(intArray0);\n ContainersOfBalls containersOfBalls0 = new ContainersOfBalls();\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n int[][] intArray0 = new int[4][9];\n String string0 = ContainersOfBalls.organizingContainers(intArray0);\n assertEquals(\"Possible\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n int[][] intArray0 = new int[1][1];\n ContainersOfBalls.organizingContainers(intArray0);\n ContainersOfBalls.organizingContainers(intArray0);\n ContainersOfBalls containersOfBalls0 = new ContainersOfBalls();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 21:23:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ContainersOfBalls_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ContainersOfBalls\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmppgwtoyrd\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ContainersOfBalls_ESTest_scaffolding.class.getClassLoader() ,\n \"ContainersOfBalls\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ContainersOfBalls_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ContainersOfBalls\"\n );\n }\n}\n", "class_idx": 175} {"class_name": "CondJumpTest9", "java_source": "public class CondJumpTest9 {\n\n public boolean test(int a, int b) {\n if (a == b) {}\n\n return true;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CondJumpTest9 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public test : (II)Z \n .code stack 2 locals 3 \nL0: iload_1 \nL1: iload_2 \nL2: if_icmpne L5 \n\n .stack same \nL5: iconst_1 \nL6: ireturn \nL7: \n .linenumbertable \n L0 6 \n L5 9 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CondJumpTest9.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 11:06:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CondJumpTest9_ESTest extends CondJumpTest9_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CondJumpTest9 condJumpTest9_0 = new CondJumpTest9();\n boolean boolean0 = condJumpTest9_0.test((-41), (-43));\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n CondJumpTest9 condJumpTest9_0 = new CondJumpTest9();\n boolean boolean0 = condJumpTest9_0.test((-43), (-43));\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n CondJumpTest9 condJumpTest9_0 = new CondJumpTest9();\n boolean boolean0 = condJumpTest9_0.test((-1), 0);\n assertTrue(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 11:06:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CondJumpTest9_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CondJumpTest9\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpl0zqg27k\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CondJumpTest9_ESTest_scaffolding.class.getClassLoader() ,\n \"CondJumpTest9\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CondJumpTest9_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CondJumpTest9\"\n );\n }\n}\n", "class_idx": 176} {"class_name": "User", "java_source": "/*\n * Copyright (c) 2012-2017 Red Hat, Inc.\n * All rights reserved. This program and the accompanying materials\n * are made available under the terms of the Eclipse Public License v1.0\n * which accompanies this distribution, and is available at\n * http://www.eclipse.org/legal/epl-v10.html\n *\n * Contributors:\n * Red Hat, Inc. - initial API and implementation\n */\n\n@interface Outer {\n int ZERO = 0;\n\n @interface A {\n int ZERO = 0;\n }\n\n String name() default \"Z\";\n}\n\n@Outer.A\nclass User {\n int NULL = Outer.A.ZERO;\n}\n", "jasm_code": ".version 52 0 \n.class super User \n.super java/lang/Object \n.field NULL I \n\n.method : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field User NULL I \nL9: return \nL10: \n .linenumbertable \n L0 22 \n L4 23 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'User.java' \n.runtime invisible annotations \n .annotation LOuter$A; \n .end annotation \n.end runtime \n.innerclasses \n Outer$A Outer A public static interface abstract annotation \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 15:29:43 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class User_ESTest extends User_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n User user0 = new User();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 15:29:43 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class User_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"User\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmph66uugi6\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(User_ESTest_scaffolding.class.getClassLoader() ,\n \"User\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(User_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"User\"\n );\n }\n}\n", "class_idx": 177} {"class_name": "BulbSwitcher", "java_source": "/**\n * There are n bulbs that are initially off. You first turn on all the bulbs. Then, you turn off\n * every second bulb. On the third round, you toggle every third bulb (turning on if it's off or\n * turning off if it's on). For the ith round, you toggle every i bulb. For the nth round, you only\n * toggle the last bulb. Find how many bulbs are on after n rounds.\n *\n *

Example:\n *\n *

Given n = 3.\n *\n *

At first, the three bulbs are [off, off, off]. After first round, the three bulbs are [on, on,\n * on]. After second round, the three bulbs are [on, off, on]. After third round, the three bulbs\n * are [on, off, off].\n *\n *

So you should return 1, because there is only one bulb is on.\n *\n *

--> \"on\" or \"off\" at each position in an array of length n?\n *\n *

--> toggle even number times will result in \"on\", toggle odd number times will result in \"off\"\n *\n *

--> for position k, the number of toggles is the number of distinct divisors that k has\n *\n *

--> divisors always come in pair, which means even number of divisors, for example, 12 has\n * (1,12),(2,6),(3,4).\n *\n *

--> however, Square Number has odd number of divisors, e.g. 25 has 1,25,5\n *\n *

--> thus, the number of \"on\", is the number of perfect square number <= n\n */\npublic class BulbSwitcher {\n public int bulbSwitch(int n) {\n return (int) Math.sqrt(n);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BulbSwitcher \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public bulbSwitch : (I)I \n .code stack 2 locals 2 \nL0: iload_1 \nL1: i2d \nL2: invokestatic Method java/lang/Math sqrt (D)D \nL5: d2i \nL6: ireturn \nL7: \n .linenumbertable \n L0 35 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BulbSwitcher.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 14:30:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BulbSwitcher_ESTest extends BulbSwitcher_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BulbSwitcher bulbSwitcher0 = new BulbSwitcher();\n int int0 = bulbSwitcher0.bulbSwitch(1);\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n BulbSwitcher bulbSwitcher0 = new BulbSwitcher();\n int int0 = bulbSwitcher0.bulbSwitch((-50));\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 14:30:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BulbSwitcher_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BulbSwitcher\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpz3svhh03\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BulbSwitcher_ESTest_scaffolding.class.getClassLoader() ,\n \"BulbSwitcher\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BulbSwitcher_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BulbSwitcher\"\n );\n }\n}\n", "class_idx": 178} {"class_name": "PatternVariantBuilder", "java_source": "import static java.util.Arrays.asList;\n\nimport java.util.ArrayList;\nimport java.util.HashSet;\nimport java.util.List;\nimport java.util.Set;\nimport java.util.regex.Matcher;\nimport java.util.regex.Pattern;\n\n/**\n * Builds a set of pattern variants of given pattern input, supporting a custom directives.\n * Depending on the directives present, one or more resulting variants are created.\n *\n *

Currently supported directives are\n *\n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n * \n *
PatternResult
..A {x|y} B..\n *
    \n *
  • ..A x B..
  • \n *
  • ..A y B..
  • \n *
\n *
..A {x|y|} B..\n *
    \n *
  • ..A x B..
  • \n *
  • ..A y B..
  • \n *
  • ..A B..
  • \n *
\n *
..A {x} B..\n *
    \n *
  • ..A x B..
  • \n *
\n *
\n *\n *

These directives can be used to conveniently create several variants of a step pattern,\n * without having to repeat it as a whole as one or more aliases.\n *\n *

Examples:\n *\n *

    \n *
  • \n *

    \n *\n * @Then(\"the result {must |has to |}be $x\")
    public void checkResult(int\n * x)...
    \n *

    Would match any of these variants from a story file:\n *

      \n *
    • Then the result must be 42\n *
    • Then the result has to be 42\n *
    • Then the result be 42\n *
    \n *
  • \n *

    \n * @When(\"$A {+|plus|is added to} $B\")
    public void add(int A, int B)...
    \n *
    \n *

    Would match any of these variants from a story file:\n *

      \n *
    • When 42 + 23\n *
    • When 42 plus 23\n *
    • When 42 is added to 23\n *
    \n *
\n *\n * @author Daniel Schneller\n */\npublic class PatternVariantBuilder {\n\n /** Regular expression that locates patterns to be evaluated in the input pattern. */\n private final Pattern regex =\n Pattern.compile(\"([^\\\\n{]*+)(\\\\{(([^|}]++)(\\\\|)?+)*+\\\\})([^\\\\n]*+)\");\n\n private final Set variants;\n\n private final String input;\n\n /**\n * Creates a builder and calculates all variants for given input. When there are no variants found\n * in the input, it will itself be the only result.\n *\n * @param input to be evaluated\n */\n public PatternVariantBuilder(String input) {\n this.input = input;\n this.variants = variantsFor(input);\n }\n\n public String getInput() {\n return input;\n }\n\n /**\n * Parses the {@link #input} received at construction and generates the variants. When there are\n * multiple patterns in the input, the method will recurse on itself to generate the variants for\n * the tailing end after the first matched pattern.\n *\n *

Generated variants are stored in a {@link Set}, so there will never be any duplicates, even\n * if the input's patterns were to result in such.\n */\n private Set variantsFor(String input) {\n // Store current invocation's results\n Set variants = new HashSet<>();\n\n Matcher m = regex.matcher(input);\n boolean matches = m.matches();\n\n if (!matches) {\n // if the regex does not find any patterns,\n // simply add the input as is\n variants.add(input);\n // end recursion\n return variants;\n }\n\n // isolate the part before the first pattern\n String head = m.group(1);\n\n // isolate the pattern itself, removing its wrapping {}\n String patternGroup = m.group(2).replaceAll(\"[\\\\{\\\\}]\", \"\");\n\n // isolate the remaining part of the input\n String tail = m.group(6);\n\n // split the pattern into its options and add an empty\n // string if it ends with a separator\n List patternParts = new ArrayList<>();\n patternParts.addAll(asList(patternGroup.split(\"\\\\|\")));\n if (patternGroup.endsWith(\"|\")) {\n patternParts.add(\"\");\n }\n\n // Iterate over the current pattern's\n // variants and construct the result.\n for (String part : patternParts) {\n StringBuilder builder = new StringBuilder();\n if (head != null) {\n builder.append(head);\n }\n builder.append(part);\n\n // recurse on the tail of the input\n // to handle the next pattern\n Set tails = variantsFor(tail);\n\n // append all variants of the tail end\n // and add each of them to the part we have\n // built up so far.\n for (String tailVariant : tails) {\n StringBuilder tailBuilder = new StringBuilder(builder.toString());\n tailBuilder.append(tailVariant);\n variants.add(tailBuilder.toString());\n }\n }\n return variants;\n }\n\n /**\n * Returns a new copy set of all variants with no whitespace compression.\n *\n * @return a {@link Set} of all variants without whitespace compression\n * @see #allVariants(boolean)\n */\n public Set allVariants() {\n return allVariants(false);\n }\n\n /**\n * Returns a new copy set of all variants. Any two or more consecutive white space characters will\n * be condensed into a single space if boolean flag is set.\n *\n *

Otherwise, any whitespace will be left as is.\n *\n * @param compressWhitespace whether or not to compress whitespace\n * @return a {@link Set} of all variants\n */\n public Set allVariants(boolean compressWhitespace) {\n if (!compressWhitespace) {\n return new HashSet<>(variants);\n }\n Set compressed = new HashSet<>();\n for (String variant : variants) {\n compressed.add(variant.replaceAll(\"\\\\s{2,}\", \" \"));\n }\n return compressed;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PatternVariantBuilder \n.super java/lang/Object \n.field private final regex Ljava/util/regex/Pattern; \n.field private final variants Ljava/util/Set; .fieldattributes \n .signature Ljava/util/Set; \n.end fieldattributes \n.field private final input Ljava/lang/String; \n\n.method public : (Ljava/lang/String;)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: ldc '([^\\\\n{]*+)(\\\\{(([^|}]++)(\\\\|)?+)*+\\\\})([^\\\\n]*+)' \nL7: invokestatic Method java/util/regex/Pattern compile (Ljava/lang/String;)Ljava/util/regex/Pattern; \nL10: putfield Field PatternVariantBuilder regex Ljava/util/regex/Pattern; \nL13: aload_0 \nL14: aload_1 \nL15: putfield Field PatternVariantBuilder input Ljava/lang/String; \nL18: aload_0 \nL19: aload_0 \nL20: aload_1 \nL21: invokespecial Method PatternVariantBuilder variantsFor (Ljava/lang/String;)Ljava/util/Set; \nL24: putfield Field PatternVariantBuilder variants Ljava/util/Set; \nL27: return \nL28: \n .linenumbertable \n L0 115 \n L4 103 \n L13 116 \n L18 117 \n L27 118 \n .end linenumbertable \n .end code \n.end method \n\n.method public getInput : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PatternVariantBuilder input Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 121 \n .end linenumbertable \n .end code \n.end method \n\n.method private variantsFor : (Ljava/lang/String;)Ljava/util/Set; \n .code stack 3 locals 16 \nL0: new java/util/HashSet \nL3: dup \nL4: invokespecial Method java/util/HashSet ()V \nL7: astore_2 \nL8: aload_0 \nL9: getfield Field PatternVariantBuilder regex Ljava/util/regex/Pattern; \nL12: aload_1 \nL13: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher; \nL16: astore_3 \nL17: aload_3 \nL18: invokevirtual Method java/util/regex/Matcher matches ()Z \nL21: istore 4 \nL23: iload 4 \nL25: ifne L38 \nL28: aload_2 \nL29: aload_1 \nL30: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2 \nL35: pop \nL36: aload_2 \nL37: areturn \n\n .stack append Object java/util/Set Object java/util/regex/Matcher Integer \nL38: aload_3 \nL39: iconst_1 \nL40: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String; \nL43: astore 5 \nL45: aload_3 \nL46: iconst_2 \nL47: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String; \nL50: ldc '[\\\\{\\\\}]' \nL52: ldc '' \nL54: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL57: astore 6 \nL59: aload_3 \nL60: bipush 6 \nL62: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String; \nL65: astore 7 \nL67: new java/util/ArrayList \nL70: dup \nL71: invokespecial Method java/util/ArrayList ()V \nL74: astore 8 \nL76: aload 8 \nL78: aload 6 \nL80: ldc '\\\\|' \nL82: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; \nL85: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List; \nL88: invokeinterface InterfaceMethod java/util/List addAll (Ljava/util/Collection;)Z 2 \nL93: pop \nL94: aload 6 \nL96: ldc '|' \nL98: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z \nL101: ifeq L114 \nL104: aload 8 \nL106: ldc '' \nL108: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL113: pop \n\n .stack full \n locals Object PatternVariantBuilder Object java/lang/String Object java/util/Set Object java/util/regex/Matcher Integer Object java/lang/String Object java/lang/String Object java/lang/String Object java/util/List \n stack \n .end stack \nL114: aload 8 \nL116: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL121: astore 9 \n\n .stack append Object java/util/Iterator \nL123: aload 9 \nL125: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL130: ifeq L254 \nL133: aload 9 \nL135: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL140: checkcast java/lang/String \nL143: astore 10 \nL145: new java/lang/StringBuilder \nL148: dup \nL149: invokespecial Method java/lang/StringBuilder ()V \nL152: astore 11 \nL154: aload 5 \nL156: ifnull L167 \nL159: aload 11 \nL161: aload 5 \nL163: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL166: pop \n\n .stack append Object java/lang/String Object java/lang/StringBuilder \nL167: aload 11 \nL169: aload 10 \nL171: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL174: pop \nL175: aload_0 \nL176: aload 7 \nL178: invokespecial Method PatternVariantBuilder variantsFor (Ljava/lang/String;)Ljava/util/Set; \nL181: astore 12 \nL183: aload 12 \nL185: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1 \nL190: astore 13 \n\n .stack append Object java/util/Set Object java/util/Iterator \nL192: aload 13 \nL194: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL199: ifeq L251 \nL202: aload 13 \nL204: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL209: checkcast java/lang/String \nL212: astore 14 \nL214: new java/lang/StringBuilder \nL217: dup \nL218: aload 11 \nL220: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL223: invokespecial Method java/lang/StringBuilder (Ljava/lang/String;)V \nL226: astore 15 \nL228: aload 15 \nL230: aload 14 \nL232: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL235: pop \nL236: aload_2 \nL237: aload 15 \nL239: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL242: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2 \nL247: pop \nL248: goto L192 \n\n .stack full \n locals Object PatternVariantBuilder Object java/lang/String Object java/util/Set Object java/util/regex/Matcher Integer Object java/lang/String Object java/lang/String Object java/lang/String Object java/util/List Object java/util/Iterator \n stack \n .end stack \nL251: goto L123 \n\n .stack chop 1 \nL254: aload_2 \nL255: areturn \nL256: \n .linenumbertable \n L0 138 \n L8 140 \n L17 141 \n L23 143 \n L28 146 \n L36 148 \n L38 152 \n L45 155 \n L59 158 \n L67 162 \n L76 163 \n L94 164 \n L104 165 \n L114 170 \n L145 171 \n L154 172 \n L159 173 \n L167 175 \n L175 179 \n L183 184 \n L214 185 \n L228 186 \n L236 187 \n L248 188 \n L251 189 \n L254 190 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;)Ljava/util/Set; \n.end method \n\n.method public allVariants : ()Ljava/util/Set; \n .code stack 2 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: invokevirtual Method PatternVariantBuilder allVariants (Z)Ljava/util/Set; \nL5: areturn \nL6: \n .linenumbertable \n L0 200 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/Set; \n.end method \n\n.method public allVariants : (Z)Ljava/util/Set; \n .code stack 4 locals 5 \nL0: iload_1 \nL1: ifne L16 \nL4: new java/util/HashSet \nL7: dup \nL8: aload_0 \nL9: getfield Field PatternVariantBuilder variants Ljava/util/Set; \nL12: invokespecial Method java/util/HashSet (Ljava/util/Collection;)V \nL15: areturn \n\n .stack same \nL16: new java/util/HashSet \nL19: dup \nL20: invokespecial Method java/util/HashSet ()V \nL23: astore_2 \nL24: aload_0 \nL25: getfield Field PatternVariantBuilder variants Ljava/util/Set; \nL28: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1 \nL33: astore_3 \n\n .stack append Object java/util/Set Object java/util/Iterator \nL34: aload_3 \nL35: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL40: ifeq L73 \nL43: aload_3 \nL44: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL49: checkcast java/lang/String \nL52: astore 4 \nL54: aload_2 \nL55: aload 4 \nL57: ldc '\\\\s{2,}' \nL59: ldc ' ' \nL61: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL64: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2 \nL69: pop \nL70: goto L34 \n\n .stack chop 1 \nL73: aload_2 \nL74: areturn \nL75: \n .linenumbertable \n L0 217 \n L4 218 \n L16 220 \n L24 221 \n L54 222 \n L70 223 \n L73 224 \n .end linenumbertable \n .end code \n .signature (Z)Ljava/util/Set; \n.end method \n.sourcefile 'PatternVariantBuilder.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 17:23:48 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.Set;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PatternVariantBuilder_ESTest extends PatternVariantBuilder_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n PatternVariantBuilder patternVariantBuilder0 = null;\n try {\n patternVariantBuilder0 = new PatternVariantBuilder(\"th}D#E+Y{o0}0\");\n // fail(\"Expecting exception: IllegalStateException\");\n // Unstable assertion\n } catch(IllegalStateException e) {\n //\n // No match found\n //\n verifyException(\"java.util.regex.Matcher\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n PatternVariantBuilder patternVariantBuilder0 = new PatternVariantBuilder(\"\");\n patternVariantBuilder0.allVariants(true);\n patternVariantBuilder0.allVariants();\n String string0 = patternVariantBuilder0.getInput();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n PatternVariantBuilder patternVariantBuilder0 = new PatternVariantBuilder(\"\");\n Set set0 = patternVariantBuilder0.allVariants(false);\n assertFalse(set0.isEmpty());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n PatternVariantBuilder patternVariantBuilder0 = new PatternVariantBuilder(\"XyCT\");\n String string0 = patternVariantBuilder0.getInput();\n assertEquals(\"XyCT\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 17:23:48 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PatternVariantBuilder_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PatternVariantBuilder\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp2djtogp0\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PatternVariantBuilder_ESTest_scaffolding.class.getClassLoader() ,\n \"PatternVariantBuilder\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PatternVariantBuilder_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PatternVariantBuilder\"\n );\n }\n}\n", "class_idx": 179} {"class_name": "Zadanie36", "java_source": "public class Zadanie36 {\n\n public static void main(String[] args) {\n\n int i = 0;\n while (i <= 20) {\n System.out.println(i);\n i++;\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Zadanie36 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 1 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: iconst_0 \nL1: istore_1 \n\n .stack append Integer \nL2: iload_1 \nL3: bipush 20 \nL5: if_icmpgt L21 \nL8: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL11: iload_1 \nL12: invokevirtual Method java/io/PrintStream println (I)V \nL15: iinc 1 1 \nL18: goto L2 \n\n .stack same \nL21: return \nL22: \n .linenumbertable \n L0 5 \n L2 6 \n L8 7 \n L15 8 \n L21 10 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Zadanie36.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 13:40:45 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Zadanie36_ESTest extends Zadanie36_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Zadanie36.main((String[]) null);\n Zadanie36 zadanie36_0 = new Zadanie36();\n Zadanie36.main((String[]) null);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 13:40:45 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Zadanie36_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Zadanie36\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp0z8_3xe0\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Zadanie36_ESTest_scaffolding.class.getClassLoader() ,\n \"Zadanie36\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Zadanie36_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Zadanie36\"\n );\n }\n}\n", "class_idx": 180} {"class_name": "IntroduceForeignMethod", "java_source": "/** Alipay.com Inc. Copyright (c) 2004-2016 All Rights Reserved/ */\nimport java.util.Date;\n\n/**\n * @author Finderhu\n * @version $Id: IntroduceForeignMethod.java, V 0.1 2016-11-17 12:02 Finderhu Exp $\n */\npublic class IntroduceForeignMethod {\n public void refactor() {\n Date previousEnd = new Date();\n Date newStart = nextDay(previousEnd);\n }\n\n private Date nextDay(Date previousEnd) {\n return new Date(previousEnd.getYear(), previousEnd.getMonth(), previousEnd.getDate() + 1);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super IntroduceForeignMethod \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public refactor : ()V \n .code stack 2 locals 3 \nL0: new java/util/Date \nL3: dup \nL4: invokespecial Method java/util/Date ()V \nL7: astore_1 \nL8: aload_0 \nL9: aload_1 \nL10: invokespecial Method IntroduceForeignMethod nextDay (Ljava/util/Date;)Ljava/util/Date; \nL13: astore_2 \nL14: return \nL15: \n .linenumbertable \n L0 16 \n L8 17 \n L14 18 \n .end linenumbertable \n .end code \n.end method \n\n.method private nextDay : (Ljava/util/Date;)Ljava/util/Date; \n .code stack 6 locals 2 \nL0: new java/util/Date \nL3: dup \nL4: aload_1 \nL5: invokevirtual Method java/util/Date getYear ()I \nL8: aload_1 \nL9: invokevirtual Method java/util/Date getMonth ()I \nL12: aload_1 \nL13: invokevirtual Method java/util/Date getDate ()I \nL16: iconst_1 \nL17: iadd \nL18: invokespecial Method java/util/Date (III)V \nL21: areturn \nL22: \n .linenumbertable \n L0 21 \n L9 22 \n L21 21 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'IntroduceForeignMethod.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 08:58:42 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class IntroduceForeignMethod_ESTest extends IntroduceForeignMethod_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n IntroduceForeignMethod introduceForeignMethod0 = new IntroduceForeignMethod();\n introduceForeignMethod0.refactor();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 08:58:42 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class IntroduceForeignMethod_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"IntroduceForeignMethod\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyf2_ygyh\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IntroduceForeignMethod_ESTest_scaffolding.class.getClassLoader() ,\n \"IntroduceForeignMethod\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IntroduceForeignMethod_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"IntroduceForeignMethod\"\n );\n }\n}\n", "class_idx": 181} {"class_name": "LappsUtils", "java_source": "import java.util.*;\n\n/**\n * @author Keith Suderman\n */\npublic class LappsUtils {\n public LappsUtils() {}\n\n public static String makeStringList(List strings) {\n StringBuilder builder = new StringBuilder();\n Iterator it = strings.iterator();\n if (it.hasNext()) {\n builder.append(it.next());\n }\n while (it.hasNext()) {\n builder.append(\"\\n\");\n builder.append(it.next());\n }\n return builder.toString();\n }\n\n public static String makeStringList(String[] strings) {\n StringBuilder builder = new StringBuilder();\n int i = 0;\n if (i < strings.length) {\n builder.append(strings[i]);\n ++i;\n }\n while (i < strings.length) {\n builder.append(\"\\n\");\n builder.append(strings[i]);\n ++i;\n }\n return builder.toString();\n }\n\n public static List parseStringList(String input) {\n return Arrays.asList(input.split(\"\\n\"));\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super LappsUtils \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 11 \n L4 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public static makeStringList : (Ljava/util/List;)Ljava/lang/String; \n .code stack 2 locals 3 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: astore_1 \nL8: aload_0 \nL9: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL14: astore_2 \nL15: aload_2 \nL16: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL21: ifeq L38 \nL24: aload_1 \nL25: aload_2 \nL26: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL31: checkcast java/lang/String \nL34: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL37: pop \n\n .stack append Object java/lang/StringBuilder Object java/util/Iterator \nL38: aload_2 \nL39: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL44: ifeq L71 \nL47: aload_1 \nL48: ldc '\\n' \nL50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL53: pop \nL54: aload_1 \nL55: aload_2 \nL56: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL61: checkcast java/lang/String \nL64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL67: pop \nL68: goto L38 \n\n .stack same \nL71: aload_1 \nL72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL75: areturn \nL76: \n .linenumbertable \n L0 17 \n L8 18 \n L15 19 \n L24 21 \n L38 23 \n L47 25 \n L54 26 \n L71 28 \n .end linenumbertable \n .end code \n .signature (Ljava/util/List;)Ljava/lang/String; \n.end method \n\n.method public static makeStringList : ([Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 3 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: astore_1 \nL8: iconst_0 \nL9: istore_2 \nL10: iload_2 \nL11: aload_0 \nL12: arraylength \nL13: if_icmpge L27 \nL16: aload_1 \nL17: aload_0 \nL18: iload_2 \nL19: aaload \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL23: pop \nL24: iinc 2 1 \n\n .stack append Object java/lang/StringBuilder Integer \nL27: iload_2 \nL28: aload_0 \nL29: arraylength \nL30: if_icmpge L54 \nL33: aload_1 \nL34: ldc '\\n' \nL36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL39: pop \nL40: aload_1 \nL41: aload_0 \nL42: iload_2 \nL43: aaload \nL44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL47: pop \nL48: iinc 2 1 \nL51: goto L27 \n\n .stack same \nL54: aload_1 \nL55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL58: areturn \nL59: \n .linenumbertable \n L0 33 \n L8 34 \n L10 35 \n L16 37 \n L24 38 \n L27 40 \n L33 42 \n L40 43 \n L48 44 \n L54 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public static parseStringList : (Ljava/lang/String;)Ljava/util/List; \n .code stack 2 locals 1 \nL0: aload_0 \nL1: ldc '\\n' \nL3: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; \nL6: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List; \nL9: areturn \nL10: \n .linenumbertable \n L0 51 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;)Ljava/util/List; \n.end method \n.sourcefile 'LappsUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 14:28:57 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.List;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class LappsUtils_ESTest extends LappsUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[9];\n LappsUtils.makeStringList(stringArray0);\n List list0 = LappsUtils.parseStringList(\"LappsUtils\\n\\ni5S.p\\nnGl|M+Oq|WK6W0l\\n7<&6u3#$-X\\n\\n\\n\\nB.?X=$qrdk\");\n LappsUtils.makeStringList(list0);\n LappsUtils lappsUtils0 = new LappsUtils();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[0];\n LappsUtils.makeStringList(stringArray0);\n // Undeclared exception!\n try { \n LappsUtils.parseStringList((String) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"LappsUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n List list0 = LappsUtils.parseStringList(\"\\n\");\n String string0 = LappsUtils.makeStringList(list0);\n assertEquals(\"\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 14:28:57 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class LappsUtils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"LappsUtils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpzhba6g7t\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LappsUtils_ESTest_scaffolding.class.getClassLoader() ,\n \"LappsUtils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LappsUtils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"LappsUtils\"\n );\n }\n}\n", "class_idx": 182} {"class_name": "TestHashmap", "java_source": "public class TestHashmap {\n\n public static void main(String[] args) {\n // TODO Auto-generated method stub\n int h = 11;\n String key = \"11aaaa\";\n System.out.println(Integer.toBinaryString(key.hashCode()));\n System.out.println(Integer.toBinaryString((h = key.hashCode()) >>> 16));\n System.out.println(Integer.toBinaryString((h = key.hashCode()) ^ (h >>> 16)));\n System.err.println(Integer.toBinaryString(\"11a\".hashCode()));\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super TestHashmap \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 2 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 4 locals 3 \nL0: bipush 11 \nL2: istore_1 \nL3: ldc '11aaaa' \nL5: astore_2 \nL6: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL9: aload_2 \nL10: invokevirtual Method java/lang/String hashCode ()I \nL13: invokestatic Method java/lang/Integer toBinaryString (I)Ljava/lang/String; \nL16: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL19: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL22: aload_2 \nL23: invokevirtual Method java/lang/String hashCode ()I \nL26: dup \nL27: istore_1 \nL28: bipush 16 \nL30: iushr \nL31: invokestatic Method java/lang/Integer toBinaryString (I)Ljava/lang/String; \nL34: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL37: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL40: aload_2 \nL41: invokevirtual Method java/lang/String hashCode ()I \nL44: dup \nL45: istore_1 \nL46: iload_1 \nL47: bipush 16 \nL49: iushr \nL50: ixor \nL51: invokestatic Method java/lang/Integer toBinaryString (I)Ljava/lang/String; \nL54: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL57: getstatic Field java/lang/System err Ljava/io/PrintStream; \nL60: ldc '11a' \nL62: invokevirtual Method java/lang/String hashCode ()I \nL65: invokestatic Method java/lang/Integer toBinaryString (I)Ljava/lang/String; \nL68: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL71: return \nL72: \n .linenumbertable \n L0 6 \n L3 7 \n L6 8 \n L19 9 \n L37 10 \n L57 11 \n L71 13 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TestHashmap.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 03:32:34 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TestHashmap_ESTest extends TestHashmap_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TestHashmap testHashmap0 = new TestHashmap();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[9];\n TestHashmap.main(stringArray0);\n assertEquals(9, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 03:32:34 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TestHashmap_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TestHashmap\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprzgutew7\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestHashmap_ESTest_scaffolding.class.getClassLoader() ,\n \"TestHashmap\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestHashmap_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TestHashmap\"\n );\n }\n}\n", "class_idx": 183} {"class_name": "StringArray", "java_source": "/*****************************************************************************\n * Web3d.org Copyright (c) 2001 - 2006\n * Java Source\n *\n * This source is licensed under the GNU LGPL v2.1\n * Please read http://www.gnu.org/copyleft/lgpl.html for more information\n *\n * This software comes with the standard NO WARRANTY disclaimer for any\n * purpose. Use it at your own risk. If there's a problem you get to fix it.\n *\n ****************************************************************************/\n\n// External import\n// None\n\n// Local import\n// None\n\n/**\n * Simple dynamic array structure that holds String primitives.\n *\n *

\n *\n * @author Justin Couch\n * @version $Revision: 1.6 $\n */\npublic class StringArray {\n\n /** The default size of this array */\n private static final int DEFAULT_SIZE = 512;\n\n /** The increment size of the array */\n private static final int DEFAULT_INCREMENT = 256;\n\n /** The number of items in this array currently */\n private int valueCount;\n\n /** The contents of this array */\n private String[] array;\n\n /** Increment size to use */\n private final int incrementSize;\n\n /** Create a new default array with size 512 items and increment size of 256. */\n public StringArray() {\n this(DEFAULT_SIZE, DEFAULT_INCREMENT);\n }\n\n /**\n * Create an array with the given initial size.\n *\n * @param initialSize The size to start with\n */\n public StringArray(int initialSize) {\n this(initialSize, DEFAULT_INCREMENT);\n }\n\n /**\n * Create an array with the given initial size and resize strategy.\n *\n * @param initialSize The size to start with\n * @param inc The amount to increment each resize with\n */\n public StringArray(int initialSize, int inc) {\n incrementSize = inc;\n\n array = new String[initialSize];\n valueCount = 0;\n }\n\n /**\n * Get the count of the number of items in the array.\n *\n * @return The number of items in the array\n */\n public int size() {\n return valueCount;\n }\n\n /** Clear the array so that it contains no values */\n public void clear() {\n for (int i = valueCount - 1; i >= 0; i--) array[i] = null;\n\n valueCount = 0;\n }\n\n /**\n * Add a new value to the array. Will resize the array if needed to accommodate new values.\n *\n * @param newString the value to be added\n */\n public void add(String newString) {\n\n if (valueCount == array.length) {\n String[] newArray = new String[array.length + incrementSize];\n System.arraycopy(array, 0, newArray, 0, array.length);\n array = newArray;\n }\n\n array[valueCount++] = newString;\n }\n\n /**\n * Add an array of values in bulk to the array. The array should not be null.\n *\n * @param values The values to be added\n */\n public void add(String[] values) {\n int req_size = valueCount + values.length;\n\n if (req_size >= array.length) {\n String[] newArray = new String[req_size];\n System.arraycopy(array, 0, newArray, 0, array.length);\n array = newArray;\n }\n\n System.arraycopy(values, 0, array, valueCount, values.length);\n valueCount = req_size;\n }\n\n /**\n * Get the value at the given index.\n *\n * @param index The position to get values from\n * @return The value at that index\n * @throws IndexOutOfBoundsException The index was not legal\n */\n public String get(int index) {\n if ((index < 0) || (index >= valueCount)) throw new IndexOutOfBoundsException();\n\n return array[index];\n }\n\n /**\n * Set the value at the given index. If the index is out of the range of the current items, it\n * will generate an index exception.\n *\n * @param index The position to get values from\n * @param value The new value to set\n * @throws IndexOutOfBoundsException The index was not legal\n */\n public void set(int index, String value) {\n if ((index < 0) || (index >= valueCount)) throw new IndexOutOfBoundsException();\n\n array[index] = value;\n }\n\n /**\n * Remove the value at the given index.\n *\n * @param index The position to remove the value from\n * @return The value at that index\n * @throws IndexOutOfBoundsException The index was not legal\n */\n public String remove(int index) {\n if ((index < 0) || (index >= valueCount)) throw new IndexOutOfBoundsException();\n\n String ret_val = array[index];\n\n System.arraycopy(array, index + 1, array, index, array.length - index - 1);\n valueCount--;\n\n return ret_val;\n }\n\n /**\n * Turn the values of this array into a real array. Returns an array with the exact number of\n * items in it. This is a separate copy of the Stringernal array.\n *\n * @return The array of values\n */\n public String[] toArray() {\n String[] ret_val = new String[valueCount];\n\n System.arraycopy(array, 0, ret_val, 0, valueCount);\n\n return ret_val;\n }\n\n /**\n * Turn the values of this array into a real array by copying them Stringo the given array if\n * possible. If the array is big enough then it will copy the values straight in. If not, it will\n * ignore that array and create it's own copy and return that. If the passed array is used, the\n * return value will be a reference to the passed array, otherwise it will be the new copy.\n *\n * @param values The array to copy values to\n * @return The array of values\n */\n public String[] toArray(String[] values) {\n\n String[] ret_val = null;\n\n if (values.length >= valueCount) ret_val = values;\n else ret_val = new String[valueCount];\n\n System.arraycopy(array, 0, ret_val, 0, valueCount);\n\n return ret_val;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super StringArray \n.super java/lang/Object \n.field private static final DEFAULT_SIZE I = 512 \n.field private static final DEFAULT_INCREMENT I = 256 \n.field private valueCount I \n.field private array [Ljava/lang/String; \n.field private final incrementSize I \n\n.method public : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: sipush 512 \nL4: sipush 256 \nL7: invokespecial Method StringArray (II)V \nL10: return \nL11: \n .linenumbertable \n L0 50 \n L10 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: sipush 256 \nL5: invokespecial Method StringArray (II)V \nL8: return \nL9: \n .linenumbertable \n L0 59 \n L8 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (II)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_2 \nL6: putfield Field StringArray incrementSize I \nL9: aload_0 \nL10: iload_1 \nL11: anewarray java/lang/String \nL14: putfield Field StringArray array [Ljava/lang/String; \nL17: aload_0 \nL18: iconst_0 \nL19: putfield Field StringArray valueCount I \nL22: return \nL23: \n .linenumbertable \n L0 68 \n L4 69 \n L9 71 \n L17 72 \n L22 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public size : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field StringArray valueCount I \nL4: ireturn \nL5: \n .linenumbertable \n L0 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public clear : ()V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: getfield Field StringArray valueCount I \nL4: iconst_1 \nL5: isub \nL6: istore_1 \n\n .stack append Integer \nL7: iload_1 \nL8: iflt L24 \nL11: aload_0 \nL12: getfield Field StringArray array [Ljava/lang/String; \nL15: iload_1 \nL16: aconst_null \nL17: aastore \nL18: iinc 1 -1 \nL21: goto L7 \n\n .stack chop 1 \nL24: aload_0 \nL25: iconst_0 \nL26: putfield Field StringArray valueCount I \nL29: return \nL30: \n .linenumbertable \n L0 88 \n L11 89 \n L18 88 \n L24 91 \n L29 92 \n .end linenumbertable \n .end code \n.end method \n\n.method public add : (Ljava/lang/String;)V \n .code stack 5 locals 3 \nL0: aload_0 \nL1: getfield Field StringArray valueCount I \nL4: aload_0 \nL5: getfield Field StringArray array [Ljava/lang/String; \nL8: arraylength \nL9: if_icmpne L46 \nL12: aload_0 \nL13: getfield Field StringArray array [Ljava/lang/String; \nL16: arraylength \nL17: aload_0 \nL18: getfield Field StringArray incrementSize I \nL21: iadd \nL22: anewarray java/lang/String \nL25: astore_2 \nL26: aload_0 \nL27: getfield Field StringArray array [Ljava/lang/String; \nL30: iconst_0 \nL31: aload_2 \nL32: iconst_0 \nL33: aload_0 \nL34: getfield Field StringArray array [Ljava/lang/String; \nL37: arraylength \nL38: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V \nL41: aload_0 \nL42: aload_2 \nL43: putfield Field StringArray array [Ljava/lang/String; \n\n .stack same \nL46: aload_0 \nL47: getfield Field StringArray array [Ljava/lang/String; \nL50: aload_0 \nL51: dup \nL52: getfield Field StringArray valueCount I \nL55: dup_x1 \nL56: iconst_1 \nL57: iadd \nL58: putfield Field StringArray valueCount I \nL61: aload_1 \nL62: aastore \nL63: return \nL64: \n .linenumbertable \n L0 102 \n L12 103 \n L26 104 \n L41 105 \n L46 108 \n L63 109 \n .end linenumbertable \n .end code \n.end method \n\n.method public add : ([Ljava/lang/String;)V \n .code stack 5 locals 4 \nL0: aload_0 \nL1: getfield Field StringArray valueCount I \nL4: aload_1 \nL5: arraylength \nL6: iadd \nL7: istore_2 \nL8: iload_2 \nL9: aload_0 \nL10: getfield Field StringArray array [Ljava/lang/String; \nL13: arraylength \nL14: if_icmplt L42 \nL17: iload_2 \nL18: anewarray java/lang/String \nL21: astore_3 \nL22: aload_0 \nL23: getfield Field StringArray array [Ljava/lang/String; \nL26: iconst_0 \nL27: aload_3 \nL28: iconst_0 \nL29: aload_0 \nL30: getfield Field StringArray array [Ljava/lang/String; \nL33: arraylength \nL34: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V \nL37: aload_0 \nL38: aload_3 \nL39: putfield Field StringArray array [Ljava/lang/String; \n\n .stack append Integer \nL42: aload_1 \nL43: iconst_0 \nL44: aload_0 \nL45: getfield Field StringArray array [Ljava/lang/String; \nL48: aload_0 \nL49: getfield Field StringArray valueCount I \nL52: aload_1 \nL53: arraylength \nL54: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V \nL57: aload_0 \nL58: iload_2 \nL59: putfield Field StringArray valueCount I \nL62: return \nL63: \n .linenumbertable \n L0 118 \n L8 120 \n L17 121 \n L22 122 \n L37 123 \n L42 126 \n L57 127 \n L62 128 \n .end linenumbertable \n .end code \n.end method \n\n.method public get : (I)Ljava/lang/String; \n .code stack 2 locals 2 \nL0: iload_1 \nL1: iflt L12 \nL4: iload_1 \nL5: aload_0 \nL6: getfield Field StringArray valueCount I \nL9: if_icmplt L20 \n\n .stack same \nL12: new java/lang/IndexOutOfBoundsException \nL15: dup \nL16: invokespecial Method java/lang/IndexOutOfBoundsException ()V \nL19: athrow \n\n .stack same \nL20: aload_0 \nL21: getfield Field StringArray array [Ljava/lang/String; \nL24: iload_1 \nL25: aaload \nL26: areturn \nL27: \n .linenumbertable \n L0 138 \n L12 139 \n L20 141 \n .end linenumbertable \n .end code \n.end method \n\n.method public set : (ILjava/lang/String;)V \n .code stack 3 locals 3 \nL0: iload_1 \nL1: iflt L12 \nL4: iload_1 \nL5: aload_0 \nL6: getfield Field StringArray valueCount I \nL9: if_icmplt L20 \n\n .stack same \nL12: new java/lang/IndexOutOfBoundsException \nL15: dup \nL16: invokespecial Method java/lang/IndexOutOfBoundsException ()V \nL19: athrow \n\n .stack same \nL20: aload_0 \nL21: getfield Field StringArray array [Ljava/lang/String; \nL24: iload_1 \nL25: aload_2 \nL26: aastore \nL27: return \nL28: \n .linenumbertable \n L0 153 \n L12 154 \n L20 156 \n L27 157 \n .end linenumbertable \n .end code \n.end method \n\n.method public remove : (I)Ljava/lang/String; \n .code stack 6 locals 3 \nL0: iload_1 \nL1: iflt L12 \nL4: iload_1 \nL5: aload_0 \nL6: getfield Field StringArray valueCount I \nL9: if_icmplt L20 \n\n .stack same \nL12: new java/lang/IndexOutOfBoundsException \nL15: dup \nL16: invokespecial Method java/lang/IndexOutOfBoundsException ()V \nL19: athrow \n\n .stack same \nL20: aload_0 \nL21: getfield Field StringArray array [Ljava/lang/String; \nL24: iload_1 \nL25: aaload \nL26: astore_2 \nL27: aload_0 \nL28: getfield Field StringArray array [Ljava/lang/String; \nL31: iload_1 \nL32: iconst_1 \nL33: iadd \nL34: aload_0 \nL35: getfield Field StringArray array [Ljava/lang/String; \nL38: iload_1 \nL39: aload_0 \nL40: getfield Field StringArray array [Ljava/lang/String; \nL43: arraylength \nL44: iload_1 \nL45: isub \nL46: iconst_1 \nL47: isub \nL48: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V \nL51: aload_0 \nL52: dup \nL53: getfield Field StringArray valueCount I \nL56: iconst_1 \nL57: isub \nL58: putfield Field StringArray valueCount I \nL61: aload_2 \nL62: areturn \nL63: \n .linenumbertable \n L0 167 \n L12 168 \n L20 170 \n L27 172 \n L51 173 \n L61 175 \n .end linenumbertable \n .end code \n.end method \n\n.method public toArray : ()[Ljava/lang/String; \n .code stack 5 locals 2 \nL0: aload_0 \nL1: getfield Field StringArray valueCount I \nL4: anewarray java/lang/String \nL7: astore_1 \nL8: aload_0 \nL9: getfield Field StringArray array [Ljava/lang/String; \nL12: iconst_0 \nL13: aload_1 \nL14: iconst_0 \nL15: aload_0 \nL16: getfield Field StringArray valueCount I \nL19: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V \nL22: aload_1 \nL23: areturn \nL24: \n .linenumbertable \n L0 186 \n L8 188 \n L22 190 \n .end linenumbertable \n .end code \n.end method \n\n.method public toArray : ([Ljava/lang/String;)[Ljava/lang/String; \n .code stack 5 locals 3 \nL0: aconst_null \nL1: astore_2 \nL2: aload_1 \nL3: arraylength \nL4: aload_0 \nL5: getfield Field StringArray valueCount I \nL8: if_icmplt L16 \nL11: aload_1 \nL12: astore_2 \nL13: goto L24 \n\n .stack append Object [Ljava/lang/String; \nL16: aload_0 \nL17: getfield Field StringArray valueCount I \nL20: anewarray java/lang/String \nL23: astore_2 \n\n .stack same \nL24: aload_0 \nL25: getfield Field StringArray array [Ljava/lang/String; \nL28: iconst_0 \nL29: aload_2 \nL30: iconst_0 \nL31: aload_0 \nL32: getfield Field StringArray valueCount I \nL35: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V \nL38: aload_2 \nL39: areturn \nL40: \n .linenumbertable \n L0 206 \n L2 208 \n L11 209 \n L16 211 \n L24 213 \n L38 215 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'StringArray.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 11:57:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class StringArray_ESTest extends StringArray_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n StringArray stringArray0 = new StringArray(1, 1);\n String[] stringArray1 = new String[4];\n stringArray0.add(stringArray1);\n stringArray0.add(stringArray1);\n stringArray0.add(stringArray1);\n stringArray0.remove(1);\n stringArray0.size();\n stringArray0.set(1, \"\");\n stringArray0.toArray(stringArray1);\n stringArray0.remove(8);\n assertEquals(10, stringArray0.size());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n StringArray stringArray0 = new StringArray(1, 1);\n String[] stringArray1 = new String[4];\n String[] stringArray2 = new String[1];\n stringArray0.add(stringArray2);\n stringArray0.add(stringArray1);\n stringArray0.add(stringArray1);\n stringArray0.remove(1);\n stringArray0.size();\n stringArray0.set(1, \"\");\n stringArray0.toArray(stringArray1);\n // Undeclared exception!\n try { \n stringArray0.remove(8);\n fail(\"Expecting exception: IndexOutOfBoundsException\");\n \n } catch(IndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"StringArray\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n StringArray stringArray0 = new StringArray();\n // Undeclared exception!\n try { \n stringArray0.remove(16239);\n fail(\"Expecting exception: IndexOutOfBoundsException\");\n \n } catch(IndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"StringArray\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n StringArray stringArray0 = new StringArray(0);\n stringArray0.add(\"B``%(Xn !iz\");\n String[] stringArray1 = new String[4];\n stringArray0.add(\"\");\n stringArray0.add(stringArray1);\n stringArray0.remove(0);\n assertEquals(5, stringArray0.size());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n StringArray stringArray0 = new StringArray(0);\n stringArray0.add(\"B``%(Xn !iz\");\n stringArray0.remove(0);\n assertEquals(0, stringArray0.size());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n StringArray stringArray0 = new StringArray();\n // Undeclared exception!\n try { \n stringArray0.set(0, \"dKy;DDFvq64[MU \");\n fail(\"Expecting exception: IndexOutOfBoundsException\");\n \n } catch(IndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"StringArray\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n StringArray stringArray0 = new StringArray(512);\n // Undeclared exception!\n try { \n stringArray0.set(512, \"9 commonChars(String[] A) {\n List list = new ArrayList<>();\n int[] res = new int[26];\n for (char c : A[0].toCharArray()) {\n res[c - 'a']++;\n }\n for (int i = 1; i < A.length; i++) {\n int[] temp = new int[26];\n for (char c : A[i].toCharArray()) {\n temp[c - 'a']++;\n }\n for (int j = 0; j < 26; j++) {\n res[j] = Math.min(res[j], temp[j]);\n }\n }\n for (int i = 0; i < res.length; i++) {\n if (res[i] > 0) {\n for (int j = 0; j < res[i]; j++) {\n list.add(((char) ('a' + i) + \"\"));\n }\n }\n }\n return list;\n }\n\n public static void main(String[] args) {\n Leetcode1002 a = new Leetcode1002();\n a.commonChars(new String[] {\"bella\", \"label\", \"roller\"});\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Leetcode1002 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public commonChars : ([Ljava/lang/String;)Ljava/util/List; \n .code stack 5 locals 10 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_2 \nL8: bipush 26 \nL10: newarray int \nL12: astore_3 \nL13: aload_1 \nL14: iconst_0 \nL15: aaload \nL16: invokevirtual Method java/lang/String toCharArray ()[C \nL19: astore 4 \nL21: aload 4 \nL23: arraylength \nL24: istore 5 \nL26: iconst_0 \nL27: istore 6 \n\n .stack full \n locals Object Leetcode1002 Object [Ljava/lang/String; Object java/util/List Object [I Object [C Integer Integer \n stack \n .end stack \nL29: iload 6 \nL31: iload 5 \nL33: if_icmpge L60 \nL36: aload 4 \nL38: iload 6 \nL40: caload \nL41: istore 7 \nL43: aload_3 \nL44: iload 7 \nL46: bipush 97 \nL48: isub \nL49: dup2 \nL50: iaload \nL51: iconst_1 \nL52: iadd \nL53: iastore \nL54: iinc 6 1 \nL57: goto L29 \n\n .stack chop 3 \nL60: iconst_1 \nL61: istore 4 \n\n .stack append Integer \nL63: iload 4 \nL65: aload_1 \nL66: arraylength \nL67: if_icmpge L163 \nL70: bipush 26 \nL72: newarray int \nL74: astore 5 \nL76: aload_1 \nL77: iload 4 \nL79: aaload \nL80: invokevirtual Method java/lang/String toCharArray ()[C \nL83: astore 6 \nL85: aload 6 \nL87: arraylength \nL88: istore 7 \nL90: iconst_0 \nL91: istore 8 \n\n .stack full \n locals Object Leetcode1002 Object [Ljava/lang/String; Object java/util/List Object [I Integer Object [I Object [C Integer Integer \n stack \n .end stack \nL93: iload 8 \nL95: iload 7 \nL97: if_icmpge L125 \nL100: aload 6 \nL102: iload 8 \nL104: caload \nL105: istore 9 \nL107: aload 5 \nL109: iload 9 \nL111: bipush 97 \nL113: isub \nL114: dup2 \nL115: iaload \nL116: iconst_1 \nL117: iadd \nL118: iastore \nL119: iinc 8 1 \nL122: goto L93 \n\n .stack chop 3 \nL125: iconst_0 \nL126: istore 6 \n\n .stack append Integer \nL128: iload 6 \nL130: bipush 26 \nL132: if_icmpge L157 \nL135: aload_3 \nL136: iload 6 \nL138: aload_3 \nL139: iload 6 \nL141: iaload \nL142: aload 5 \nL144: iload 6 \nL146: iaload \nL147: invokestatic Method java/lang/Math min (II)I \nL150: iastore \nL151: iinc 6 1 \nL154: goto L128 \n\n .stack chop 2 \nL157: iinc 4 1 \nL160: goto L63 \n\n .stack chop 1 \nL163: iconst_0 \nL164: istore 4 \n\n .stack append Integer \nL166: iload 4 \nL168: aload_3 \nL169: arraylength \nL170: if_icmpge L235 \nL173: aload_3 \nL174: iload 4 \nL176: iaload \nL177: ifle L229 \nL180: iconst_0 \nL181: istore 5 \n\n .stack append Integer \nL183: iload 5 \nL185: aload_3 \nL186: iload 4 \nL188: iaload \nL189: if_icmpge L229 \nL192: aload_2 \nL193: new java/lang/StringBuilder \nL196: dup \nL197: invokespecial Method java/lang/StringBuilder ()V \nL200: bipush 97 \nL202: iload 4 \nL204: iadd \nL205: i2c \nL206: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL209: ldc '' \nL211: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL214: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL217: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL222: pop \nL223: iinc 5 1 \nL226: goto L183 \n\n .stack chop 1 \nL229: iinc 4 1 \nL232: goto L166 \n\n .stack chop 1 \nL235: aload_2 \nL236: areturn \nL237: \n .linenumbertable \n L0 8 \n L8 9 \n L13 10 \n L43 11 \n L54 10 \n L60 13 \n L70 14 \n L76 15 \n L107 16 \n L119 15 \n L125 18 \n L135 19 \n L151 18 \n L157 13 \n L163 22 \n L173 23 \n L180 24 \n L192 25 \n L223 24 \n L229 22 \n L235 29 \n .end linenumbertable \n .end code \n .signature ([Ljava/lang/String;)Ljava/util/List; \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 5 locals 2 \nL0: new Leetcode1002 \nL3: dup \nL4: invokespecial Method Leetcode1002 ()V \nL7: astore_1 \nL8: aload_1 \nL9: iconst_3 \nL10: anewarray java/lang/String \nL13: dup \nL14: iconst_0 \nL15: ldc 'bella' \nL17: aastore \nL18: dup \nL19: iconst_1 \nL20: ldc 'label' \nL22: aastore \nL23: dup \nL24: iconst_2 \nL25: ldc 'roller' \nL27: aastore \nL28: invokevirtual Method Leetcode1002 commonChars ([Ljava/lang/String;)Ljava/util/List; \nL31: pop \nL32: return \nL33: \n .linenumbertable \n L0 33 \n L8 34 \n L32 35 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Leetcode1002.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 15:23:34 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.List;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Leetcode1002_ESTest extends Leetcode1002_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Leetcode1002 leetcode1002_0 = new Leetcode1002();\n String[] stringArray0 = new String[1];\n stringArray0[0] = \"NgQ$Oh2Y4~h3Mq*[@\";\n Leetcode1002.main(stringArray0);\n String[] stringArray1 = new String[1];\n stringArray1[0] = \"Oh1M'2&Q>zT|\";\n // Undeclared exception!\n try { \n leetcode1002_0.commonChars(stringArray1);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Leetcode1002 leetcode1002_0 = new Leetcode1002();\n String[] stringArray0 = new String[1];\n stringArray0[0] = \"\";\n leetcode1002_0.commonChars(stringArray0);\n leetcode1002_0.commonChars(stringArray0);\n String[] stringArray1 = new String[8];\n stringArray1[0] = \"\";\n stringArray1[1] = \"\";\n stringArray1[2] = \"\";\n stringArray1[3] = \"\";\n stringArray1[4] = \"\";\n stringArray1[5] = \"\";\n stringArray1[6] = \"\";\n stringArray1[7] = \"\";\n List list0 = leetcode1002_0.commonChars(stringArray1);\n Leetcode1002.main(stringArray0);\n List list1 = leetcode1002_0.commonChars(stringArray0);\n assertTrue(list1.equals((Object)list0));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String[] stringArray0 = new String[2];\n String string0 = \"\";\n stringArray0[0] = \"\";\n String string1 = \"Leetcode1002\";\n stringArray0[1] = \"Leetcode1002\";\n Leetcode1002.main(stringArray0);\n Leetcode1002.main(stringArray0);\n Leetcode1002.main(stringArray0);\n Leetcode1002 leetcode1002_0 = new Leetcode1002();\n // Undeclared exception!\n try { \n leetcode1002_0.commonChars(stringArray0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Leetcode1002 leetcode1002_0 = new Leetcode1002();\n String[] stringArray0 = new String[5];\n stringArray0[0] = \"\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"_K7d|z)b\";\n stringArray0[3] = \"\";\n stringArray0[4] = \"\";\n // Undeclared exception!\n try { \n leetcode1002_0.commonChars(stringArray0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n String[] stringArray0 = new String[3];\n stringArray0[0] = \"\";\n stringArray0[1] = \"y=xLswaq|UaB'd]\";\n stringArray0[2] = \"WSRW$3c\";\n Leetcode1002.main(stringArray0);\n assertEquals(3, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 15:23:34 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Leetcode1002_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Leetcode1002\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp2tnq1hc_\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Leetcode1002_ESTest_scaffolding.class.getClassLoader() ,\n \"Leetcode1002\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Leetcode1002_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Leetcode1002\"\n );\n }\n}\n", "class_idx": 185} {"class_name": "DeploymentOption", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one\n * or more contributor license agreements. See the NOTICE file\n * distributed with this work for additional information\n * regarding copyright ownership. The ASF licenses this file\n * to you under the Apache License, Version 2.0 (the\n * \"License\"); you may not use this file except in compliance\n * with the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * Deployment option which indicates whether the task should send scheduleOrUpdateConsumer message\n * to master.\n */\npublic class DeploymentOption {\n\n private final boolean sendScheduleOrUpdateConsumerMessage;\n\n public DeploymentOption(boolean sendScheduleOrUpdateConsumerMessage) {\n this.sendScheduleOrUpdateConsumerMessage = sendScheduleOrUpdateConsumerMessage;\n }\n\n public boolean sendScheduleOrUpdateConsumerMessage() {\n return sendScheduleOrUpdateConsumerMessage;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DeploymentOption \n.super java/lang/Object \n.field private final sendScheduleOrUpdateConsumerMessage Z \n\n.method public : (Z)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field DeploymentOption sendScheduleOrUpdateConsumerMessage Z \nL9: return \nL10: \n .linenumbertable \n L0 28 \n L4 29 \n L9 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public sendScheduleOrUpdateConsumerMessage : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DeploymentOption sendScheduleOrUpdateConsumerMessage Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DeploymentOption.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 06:35:48 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DeploymentOption_ESTest extends DeploymentOption_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DeploymentOption deploymentOption0 = new DeploymentOption(false);\n boolean boolean0 = deploymentOption0.sendScheduleOrUpdateConsumerMessage();\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n DeploymentOption deploymentOption0 = new DeploymentOption(true);\n boolean boolean0 = deploymentOption0.sendScheduleOrUpdateConsumerMessage();\n assertTrue(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 06:35:48 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DeploymentOption_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DeploymentOption\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpgt0v0j70\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DeploymentOption_ESTest_scaffolding.class.getClassLoader() ,\n \"DeploymentOption\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DeploymentOption_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DeploymentOption\"\n );\n }\n}\n", "class_idx": 186} {"class_name": "Main", "java_source": "import java.util.ArrayList;\nimport java.util.Arrays;\nimport java.util.Scanner;\nimport java.util.stream.Collectors;\nimport java.util.stream.IntStream;\n\n/**\n * Auto-generated code below aims at helping you parse the standard input according to the problem\n * statement.\n */\npublic class Main {\n\n public static void main(String args[]) {\n Scanner in = new Scanner(System.in);\n int n = in.nextInt(); // the number of temperatures to analyse\n int[] temperatureList = new int[n];\n in.nextLine();\n String temps =\n in.nextLine(); // the n temperatures expressed as integers ranging from -273 to 5526\n if (!temps.isEmpty()) {\n temperatureList = Arrays.stream(temps.split(\" \")).mapToInt(Integer::parseInt).toArray();\n Integer[] ever = IntStream.of(temperatureList).boxed().toArray(Integer[]::new);\n\n ArrayList positiveNumbers =\n Arrays.stream(ever)\n .filter(integer -> integer > 0)\n .collect(Collectors.toCollection(ArrayList::new));\n ArrayList negativeNumbers =\n Arrays.stream(ever)\n .filter(integer -> integer < 0)\n .collect(Collectors.toCollection(ArrayList::new));\n\n Integer postiveClosestToZero =\n positiveNumbers.stream().sorted(Integer::compareTo).findFirst().orElse(null);\n Integer negativeClosestToZero =\n negativeNumbers.stream()\n .sorted(Integer::compareTo)\n .reduce((integer, integer2) -> integer2)\n .orElse(null);\n\n Integer result = postiveClosestToZero;\n\n if (postiveClosestToZero == null) {\n result = negativeClosestToZero;\n } else if (negativeClosestToZero == null) {\n result = postiveClosestToZero;\n } else {\n if (postiveClosestToZero > negativeClosestToZero) {\n result = postiveClosestToZero;\n } else {\n result = negativeClosestToZero;\n }\n }\n\n // Write an action using System.out.println()\n // To debug: System.err.println(\"Debug messages...\");\n System.out.println(result);\n } else {\n System.out.println(0);\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Main \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 11 \nL0: new java/util/Scanner \nL3: dup \nL4: getstatic Field java/lang/System in Ljava/io/InputStream; \nL7: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL10: astore_1 \nL11: aload_1 \nL12: invokevirtual Method java/util/Scanner nextInt ()I \nL15: istore_2 \nL16: iload_2 \nL17: newarray int \nL19: astore_3 \nL20: aload_1 \nL21: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; \nL24: pop \nL25: aload_1 \nL26: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; \nL29: astore 4 \nL31: aload 4 \nL33: invokevirtual Method java/lang/String isEmpty ()Z \nL36: ifne L281 \nL39: aload 4 \nL41: ldc ' ' \nL43: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; \nL46: invokestatic Method java/util/Arrays stream ([Ljava/lang/Object;)Ljava/util/stream/Stream; \nL49: invokedynamic [id11] \nL54: invokeinterface InterfaceMethod java/util/stream/Stream mapToInt (Ljava/util/function/ToIntFunction;)Ljava/util/stream/IntStream; 2 \nL59: invokeinterface InterfaceMethod java/util/stream/IntStream toArray ()[I 1 \nL64: astore_3 \nL65: aload_3 \nL66: invokestatic InterfaceMethod java/util/stream/IntStream of ([I)Ljava/util/stream/IntStream; \nL69: invokeinterface InterfaceMethod java/util/stream/IntStream boxed ()Ljava/util/stream/Stream; 1 \nL74: invokedynamic [id16] \nL79: invokeinterface InterfaceMethod java/util/stream/Stream toArray (Ljava/util/function/IntFunction;)[Ljava/lang/Object; 2 \nL84: checkcast [Ljava/lang/Integer; \nL87: astore 5 \nL89: aload 5 \nL91: invokestatic Method java/util/Arrays stream ([Ljava/lang/Object;)Ljava/util/stream/Stream; \nL94: invokedynamic [id19] \nL99: invokeinterface InterfaceMethod java/util/stream/Stream filter (Ljava/util/function/Predicate;)Ljava/util/stream/Stream; 2 \nL104: invokedynamic [id21] \nL109: invokestatic Method java/util/stream/Collectors toCollection (Ljava/util/function/Supplier;)Ljava/util/stream/Collector; \nL112: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2 \nL117: checkcast java/util/ArrayList \nL120: astore 6 \nL122: aload 5 \nL124: invokestatic Method java/util/Arrays stream ([Ljava/lang/Object;)Ljava/util/stream/Stream; \nL127: invokedynamic [id25] \nL132: invokeinterface InterfaceMethod java/util/stream/Stream filter (Ljava/util/function/Predicate;)Ljava/util/stream/Stream; 2 \nL137: invokedynamic [id21] \nL142: invokestatic Method java/util/stream/Collectors toCollection (Ljava/util/function/Supplier;)Ljava/util/stream/Collector; \nL145: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2 \nL150: checkcast java/util/ArrayList \nL153: astore 7 \nL155: aload 6 \nL157: invokevirtual Method java/util/ArrayList stream ()Ljava/util/stream/Stream; \nL160: invokedynamic [id27] \nL165: invokeinterface InterfaceMethod java/util/stream/Stream sorted (Ljava/util/Comparator;)Ljava/util/stream/Stream; 2 \nL170: invokeinterface InterfaceMethod java/util/stream/Stream findFirst ()Ljava/util/Optional; 1 \nL175: aconst_null \nL176: invokevirtual Method java/util/Optional orElse (Ljava/lang/Object;)Ljava/lang/Object; \nL179: checkcast java/lang/Integer \nL182: astore 8 \nL184: aload 7 \nL186: invokevirtual Method java/util/ArrayList stream ()Ljava/util/stream/Stream; \nL189: invokedynamic [id27] \nL194: invokeinterface InterfaceMethod java/util/stream/Stream sorted (Ljava/util/Comparator;)Ljava/util/stream/Stream; 2 \nL199: invokedynamic [id32] \nL204: invokeinterface InterfaceMethod java/util/stream/Stream reduce (Ljava/util/function/BinaryOperator;)Ljava/util/Optional; 2 \nL209: aconst_null \nL210: invokevirtual Method java/util/Optional orElse (Ljava/lang/Object;)Ljava/lang/Object; \nL213: checkcast java/lang/Integer \nL216: astore 9 \nL218: aload 8 \nL220: astore 10 \nL222: aload 8 \nL224: ifnonnull L234 \nL227: aload 9 \nL229: astore 10 \nL231: goto L270 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Object [I Object java/lang/String Object [Ljava/lang/Integer; Object java/util/ArrayList Object java/util/ArrayList Object java/lang/Integer Object java/lang/Integer Object java/lang/Integer \n stack \n .end stack \nL234: aload 9 \nL236: ifnonnull L246 \nL239: aload 8 \nL241: astore 10 \nL243: goto L270 \n\n .stack same \nL246: aload 8 \nL248: invokevirtual Method java/lang/Integer intValue ()I \nL251: aload 9 \nL253: invokevirtual Method java/lang/Integer intValue ()I \nL256: if_icmple L266 \nL259: aload 8 \nL261: astore 10 \nL263: goto L270 \n\n .stack same \nL266: aload 9 \nL268: astore 10 \n\n .stack same \nL270: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL273: aload 10 \nL275: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL278: goto L288 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/util/Scanner Integer Object [I Object java/lang/String \n stack \n .end stack \nL281: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL284: iconst_0 \nL285: invokevirtual Method java/io/PrintStream println (I)V \n\n .stack same \nL288: return \nL289: \n .linenumbertable \n L0 14 \n L11 15 \n L16 16 \n L20 17 \n L25 18 \n L31 19 \n L39 20 \n L65 21 \n L89 23 \n L122 24 \n L155 26 \n L184 27 \n L218 29 \n L222 31 \n L227 32 \n L234 33 \n L239 34 \n L246 36 \n L259 37 \n L266 39 \n L270 45 \n L278 46 \n L281 47 \n L288 49 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$main$3 : (Ljava/lang/Integer;Ljava/lang/Integer;)Ljava/lang/Integer; \n .code stack 1 locals 2 \nL0: aload_1 \nL1: areturn \nL2: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$main$2 : (Ljava/lang/Integer;)Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method java/lang/Integer intValue ()I \nL4: ifge L11 \nL7: iconst_1 \nL8: goto L12 \n\n .stack same \nL11: iconst_0 \n\n .stack stack_1 Integer \nL12: ireturn \nL13: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$main$1 : (Ljava/lang/Integer;)Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method java/lang/Integer intValue ()I \nL4: ifle L11 \nL7: iconst_1 \nL8: goto L12 \n\n .stack same \nL11: iconst_0 \n\n .stack stack_1 Integer \nL12: ireturn \nL13: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$main$0 : (I)[Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: iload_0 \nL1: anewarray java/lang/Integer \nL4: areturn \nL5: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Main.java' \n.innerclasses \n java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final \n.end innerclasses \n.const [id11] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;)I MethodHandle invokeStatic Method java/lang/Integer parseInt (Ljava/lang/String;)I MethodType (Ljava/lang/String;)I : applyAsInt ()Ljava/util/function/ToIntFunction; \n.const [id16] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u222] MethodType (I)Ljava/lang/Object; MethodHandle invokeStatic Method Main lambda$main$0 (I)[Ljava/lang/Integer; MethodType (I)[Ljava/lang/Integer; : apply ()Ljava/util/function/IntFunction; \n.const [id19] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u222] MethodType (Ljava/lang/Object;)Z MethodHandle invokeStatic Method Main lambda$main$1 (Ljava/lang/Integer;)Z MethodType (Ljava/lang/Integer;)Z : test ()Ljava/util/function/Predicate; \n.const [id21] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u222] MethodType ()Ljava/lang/Object; MethodHandle newInvokeSpecial Method java/util/ArrayList ()V MethodType ()Ljava/util/ArrayList; : get ()Ljava/util/function/Supplier; \n.const [id25] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u222] MethodType (Ljava/lang/Object;)Z MethodHandle invokeStatic Method Main lambda$main$2 (Ljava/lang/Integer;)Z MethodType (Ljava/lang/Integer;)Z : test ()Ljava/util/function/Predicate; \n.const [id27] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u222] MethodType (Ljava/lang/Object;Ljava/lang/Object;)I MethodHandle invokeVirtual Method java/lang/Integer compareTo (Ljava/lang/Integer;)I MethodType (Ljava/lang/Integer;Ljava/lang/Integer;)I : compare ()Ljava/util/Comparator; \n.const [id32] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory [u222] MethodType (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; MethodHandle invokeStatic Method Main lambda$main$3 (Ljava/lang/Integer;Ljava/lang/Integer;)Ljava/lang/Integer; MethodType (Ljava/lang/Integer;Ljava/lang/Integer;)Ljava/lang/Integer; : apply ()Ljava/util/function/BinaryOperator; \n.const [u222] = Utf8 (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 05:13:57 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.util.NoSuchElementException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Main_ESTest extends Main_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInUtil.addInputLine(\"1\");\n String[] stringArray0 = new String[6];\n SystemInUtil.addInputLine(\"\");\n Main.main(stringArray0);\n // Undeclared exception!\n try { \n Main.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SystemInUtil.addInputLine(\"0\");\n SystemInUtil.addInputLine(\"0\");\n String[] stringArray0 = new String[0];\n Main.main(stringArray0);\n assertEquals(0, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SystemInUtil.addInputLine(\"1\");\n SystemInUtil.addInputLine(\"1\");\n String[] stringArray0 = new String[0];\n Main.main(stringArray0);\n // Undeclared exception!\n try { \n Main.main(stringArray0);\n fail(\"Expecting exception: NoSuchElementException\");\n \n } catch(NoSuchElementException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.util.Scanner\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n SystemInUtil.addInputLine(\"1\");\n SystemInUtil.addInputLine(\"\");\n String[] stringArray0 = new String[1];\n Main.main(stringArray0);\n assertEquals(1, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Main main0 = new Main();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 05:13:57 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Main_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Main\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpaen8152u\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Main_ESTest_scaffolding.class.getClassLoader() ,\n \"Main\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Main\"\n );\n }\n}\n", "class_idx": 187} {"class_name": "Main", "java_source": "import java.util.*;\n\npublic class Main {\n\n public static void main(String[] args) {\n\n List list = new ArrayList<>();\n\n list.add(\"California\");\n list.add(\"Oregon\");\n list.add(\"Washington\");\n\n System.out.println(list);\n\n list.add(\"Alaska\");\n System.out.println(list);\n\n list.remove(0);\n System.out.println(list);\n\n String state = list.get(1);\n System.out.println(\"The second state is \" + state);\n\n int pos = list.indexOf(\"Alaska\");\n System.out.println(\"Alaska is at position \" + pos);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Main \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 4 \nL0: new java/util/ArrayList \nL3: dup \nL4: invokespecial Method java/util/ArrayList ()V \nL7: astore_1 \nL8: aload_1 \nL9: ldc 'California' \nL11: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL16: pop \nL17: aload_1 \nL18: ldc 'Oregon' \nL20: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL25: pop \nL26: aload_1 \nL27: ldc 'Washington' \nL29: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL34: pop \nL35: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL38: aload_1 \nL39: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL42: aload_1 \nL43: ldc 'Alaska' \nL45: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL50: pop \nL51: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL54: aload_1 \nL55: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL58: aload_1 \nL59: iconst_0 \nL60: invokeinterface InterfaceMethod java/util/List remove (I)Ljava/lang/Object; 2 \nL65: pop \nL66: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL69: aload_1 \nL70: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V \nL73: aload_1 \nL74: iconst_1 \nL75: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 \nL80: checkcast java/lang/String \nL83: astore_2 \nL84: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL87: new java/lang/StringBuilder \nL90: dup \nL91: invokespecial Method java/lang/StringBuilder ()V \nL94: ldc 'The second state is ' \nL96: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL99: aload_2 \nL100: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL103: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL106: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL109: aload_1 \nL110: ldc 'Alaska' \nL112: invokeinterface InterfaceMethod java/util/List indexOf (Ljava/lang/Object;)I 2 \nL117: istore_3 \nL118: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL121: new java/lang/StringBuilder \nL124: dup \nL125: invokespecial Method java/lang/StringBuilder ()V \nL128: ldc 'Alaska is at position ' \nL130: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL133: iload_3 \nL134: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL137: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL140: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL143: return \nL144: \n .linenumbertable \n L0 9 \n L8 11 \n L17 12 \n L26 13 \n L35 15 \n L42 17 \n L51 18 \n L58 20 \n L66 21 \n L73 23 \n L84 24 \n L109 26 \n L118 27 \n L143 31 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Main.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 05:53:22 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Main_ESTest extends Main_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Main.main((String[]) null);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Main main0 = new Main();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 05:53:22 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Main_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Main\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmppyzrmkc4\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Main_ESTest_scaffolding.class.getClassLoader() ,\n \"Main\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Main_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Main\"\n );\n }\n}\n", "class_idx": 188} {"class_name": "QueryHintConfig", "java_source": "/*\n * Copyright (c) 1998-2011 Caucho Technology -- all rights reserved\n *\n * This file is part of Resin(R) Open Source\n *\n * Each copy or derived work must preserve the copyright notice and this\n * notice unmodified.\n *\n * Resin Open Source is free software; you can redistribute it and/or modify\n * it under the terms of the GNU General Public License as published by\n * the Free Software Foundation; either version 2 of the License, or\n * (at your option) any later version.\n *\n * Resin Open Source is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE, or any warranty\n * of NON-INFRINGEMENT. See the GNU General Public License for more\n * details.\n *\n * You should have received a copy of the GNU General Public License\n * along with Resin Open Source; if not, write to the\n *\n * Free Software Foundation, Inc.\n * 59 Temple Place, Suite 330\n * Boston, MA 02111-1307 USA\n *\n * @author Rodrigo Westrupp\n */\n\n/** The tag in orm.xml */\npublic class QueryHintConfig {\n\n // attributes\n private String _name;\n private String _value;\n\n public String getName() {\n return _name;\n }\n\n public String getValue() {\n return _value;\n }\n\n public void setName(String name) {\n _name = name;\n }\n\n public void setValue(String value) {\n _value = value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super QueryHintConfig \n.super java/lang/Object \n.field private _name Ljava/lang/String; \n.field private _value Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field QueryHintConfig _name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public getValue : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field QueryHintConfig _value Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public setName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field QueryHintConfig _name Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 54 \n L5 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public setValue : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field QueryHintConfig _value Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 59 \n L5 60 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'QueryHintConfig.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 20:00:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class QueryHintConfig_ESTest extends QueryHintConfig_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n QueryHintConfig queryHintConfig0 = new QueryHintConfig();\n queryHintConfig0.setValue(\"+>04\");\n String string0 = queryHintConfig0.getValue();\n assertEquals(\"+>04\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n QueryHintConfig queryHintConfig0 = new QueryHintConfig();\n queryHintConfig0.setName(\"\");\n String string0 = queryHintConfig0.getName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n QueryHintConfig queryHintConfig0 = new QueryHintConfig();\n queryHintConfig0.setName(\"1@_Rfn^'.0\");\n String string0 = queryHintConfig0.getName();\n assertEquals(\"1@_Rfn^'.0\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n QueryHintConfig queryHintConfig0 = new QueryHintConfig();\n queryHintConfig0.setValue(\"\");\n String string0 = queryHintConfig0.getValue();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n QueryHintConfig queryHintConfig0 = new QueryHintConfig();\n String string0 = queryHintConfig0.getValue();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n QueryHintConfig queryHintConfig0 = new QueryHintConfig();\n String string0 = queryHintConfig0.getName();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 20:00:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class QueryHintConfig_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"QueryHintConfig\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1g5c26ca\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(QueryHintConfig_ESTest_scaffolding.class.getClassLoader() ,\n \"QueryHintConfig\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(QueryHintConfig_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"QueryHintConfig\"\n );\n }\n}\n", "class_idx": 189} {"class_name": "o", "java_source": "final class o {}\n\n/* Location: classes_dex2jar.jar\n * Qualified Name: com.nianticproject.ingress.common.scanner.o\n * JD-Core Version: 0.6.2\n */\n", "jasm_code": ".version 52 0 \n.class final super o \n.super java/lang/Object \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'o.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:39:58 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class o_ESTest extends o_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n o o0 = new o();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:39:58 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class o_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"o\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpw789747k\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(o_ESTest_scaffolding.class.getClassLoader() ,\n \"o\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(o_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"o\"\n );\n }\n}\n", "class_idx": 190} {"class_name": "StepSound", "java_source": "// Decompiled by Jad v1.5.8g. Copyright 2001 Pavel Kouznetsov.\n// Jad home page: http://www.kpdus.com/jad.html\n// Decompiler options: packimports(3) braces deadcode fieldsfirst\n\npublic class StepSound {\n\n public final String field_1678_a;\n public final float field_1677_b;\n public final float field_1679_c;\n\n public StepSound(String p_i645_1_, float p_i645_2_, float p_i645_3_) {\n field_1678_a = p_i645_1_;\n field_1677_b = p_i645_2_;\n field_1679_c = p_i645_3_;\n }\n\n public float func_1147_b() {\n return field_1677_b;\n }\n\n public float func_1144_c() {\n return field_1679_c;\n }\n\n public String func_1146_a() {\n return (new StringBuilder()).append(\"step.\").append(field_1678_a).toString();\n }\n\n public String func_1145_d() {\n return (new StringBuilder()).append(\"step.\").append(field_1678_a).toString();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super StepSound \n.super java/lang/Object \n.field public final field_1678_a Ljava/lang/String; \n.field public final field_1677_b F \n.field public final field_1679_c F \n\n.method public : (Ljava/lang/String;FF)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field StepSound field_1678_a Ljava/lang/String; \nL9: aload_0 \nL10: fload_2 \nL11: putfield Field StepSound field_1677_b F \nL14: aload_0 \nL15: fload_3 \nL16: putfield Field StepSound field_1679_c F \nL19: return \nL20: \n .linenumbertable \n L0 16 \n L4 17 \n L9 18 \n L14 19 \n L19 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public func_1147_b : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field StepSound field_1677_b F \nL4: freturn \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public func_1144_c : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field StepSound field_1679_c F \nL4: freturn \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public func_1146_a : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'step.' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field StepSound field_1678_a Ljava/lang/String; \nL16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL19: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL22: areturn \nL23: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public func_1145_d : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'step.' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field StepSound field_1678_a Ljava/lang/String; \nL16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL19: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL22: areturn \nL23: \n .linenumbertable \n L0 39 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'StepSound.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 23:21:53 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class StepSound_ESTest extends StepSound_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n StepSound stepSound0 = new StepSound(\"StepSound\", 0.0F, 0.0F);\n float float0 = stepSound0.func_1147_b();\n assertEquals(0.0F, float0, 0.01F);\n assertEquals(0.0F, stepSound0.field_1679_c, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n StepSound stepSound0 = new StepSound(\"vO(3;5+_!h : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 13 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ReflectiveOperationException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 14:25:08 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ReflectiveOperationException_ESTest extends ReflectiveOperationException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ReflectiveOperationException reflectiveOperationException0 = new ReflectiveOperationException();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 14:25:08 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ReflectiveOperationException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ReflectiveOperationException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkj7wcm0o\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ReflectiveOperationException_ESTest_scaffolding.class.getClassLoader() ,\n \"ReflectiveOperationException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReflectiveOperationException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ReflectiveOperationException\"\n );\n }\n}\n", "class_idx": 192} {"class_name": "ImprovedNoise", "java_source": "import java.util.Random;\n\npublic final class ImprovedNoise {\n public ImprovedNoise(long seed) {\n shuffle(seed);\n }\n\n public double noise(double x, double y, double z) {\n int X = (int) Math.floor(x) & 255, Y = (int) Math.floor(y) & 255, Z = (int) Math.floor(z) & 255;\n x -= Math.floor(x);\n y -= Math.floor(y);\n z -= Math.floor(z);\n double u = fade(x), v = fade(y), w = fade(z);\n int A = p[X] + Y,\n AA = p[A] + Z,\n AB = p[A + 1] + Z,\n B = p[X + 1] + Y,\n BA = p[B] + Z,\n BB = p[B + 1] + Z;\n\n return lerp(\n w,\n lerp(\n v,\n lerp(u, grad(p[AA], x, y, z), grad(p[BA], x - 1, y, z)),\n lerp(u, grad(p[AB], x, y - 1, z), grad(p[BB], x - 1, y - 1, z))),\n lerp(\n v,\n lerp(u, grad(p[AA + 1], x, y, z - 1), grad(p[BA + 1], x - 1, y, z - 1)),\n lerp(u, grad(p[AB + 1], x, y - 1, z - 1), grad(p[BB + 1], x - 1, y - 1, z - 1))));\n }\n\n double fade(double t) {\n return t * t * t * (t * (t * 6 - 15) + 10);\n }\n\n double lerp(double t, double a, double b) {\n return a + t * (b - a);\n }\n\n double grad(int hash, double x, double y, double z) {\n int h = hash & 15;\n double u = h < 8 ? x : y, v = h < 4 ? y : h == 12 || h == 14 ? x : z;\n return ((h & 1) == 0 ? u : -u) + ((h & 2) == 0 ? v : -v);\n }\n\n int[] p = new int[512];\n\n public double perlinNoise(double x, double y) {\n double n = 0;\n\n for (int i = 0; i < 8; i++) {\n double stepSize = 64.0 / ((1 << i));\n n += noise(x / stepSize, y / stepSize, 128) * 1.0 / (1 << i);\n }\n\n return n;\n }\n\n public void shuffle(long seed) {\n Random random = new Random(seed);\n int[] permutation = new int[256];\n for (int i = 0; i < 256; i++) {\n permutation[i] = i;\n }\n\n for (int i = 0; i < 256; i++) {\n int j = random.nextInt(256 - i) + i;\n int tmp = permutation[i];\n permutation[i] = permutation[j];\n permutation[j] = tmp;\n p[i + 256] = p[i] = permutation[i];\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super ImprovedNoise \n.super java/lang/Object \n.field p [I \n\n.method public : (J)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: sipush 512 \nL8: newarray int \nL10: putfield Field ImprovedNoise p [I \nL13: aload_0 \nL14: lload_1 \nL15: invokevirtual Method ImprovedNoise shuffle (J)V \nL18: return \nL19: \n .linenumbertable \n L0 6 \n L4 47 \n L13 7 \n L18 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public noise : (DDD)D \n .code stack 25 locals 22 \nL0: dload_1 \nL1: invokestatic Method java/lang/Math floor (D)D \nL4: d2i \nL5: sipush 255 \nL8: iand \nL9: istore 7 \nL11: dload_3 \nL12: invokestatic Method java/lang/Math floor (D)D \nL15: d2i \nL16: sipush 255 \nL19: iand \nL20: istore 8 \nL22: dload 5 \nL24: invokestatic Method java/lang/Math floor (D)D \nL27: d2i \nL28: sipush 255 \nL31: iand \nL32: istore 9 \nL34: dload_1 \nL35: dload_1 \nL36: invokestatic Method java/lang/Math floor (D)D \nL39: dsub \nL40: dstore_1 \nL41: dload_3 \nL42: dload_3 \nL43: invokestatic Method java/lang/Math floor (D)D \nL46: dsub \nL47: dstore_3 \nL48: dload 5 \nL50: dload 5 \nL52: invokestatic Method java/lang/Math floor (D)D \nL55: dsub \nL56: dstore 5 \nL58: aload_0 \nL59: dload_1 \nL60: invokevirtual Method ImprovedNoise fade (D)D \nL63: dstore 10 \nL65: aload_0 \nL66: dload_3 \nL67: invokevirtual Method ImprovedNoise fade (D)D \nL70: dstore 12 \nL72: aload_0 \nL73: dload 5 \nL75: invokevirtual Method ImprovedNoise fade (D)D \nL78: dstore 14 \nL80: aload_0 \nL81: getfield Field ImprovedNoise p [I \nL84: iload 7 \nL86: iaload \nL87: iload 8 \nL89: iadd \nL90: istore 16 \nL92: aload_0 \nL93: getfield Field ImprovedNoise p [I \nL96: iload 16 \nL98: iaload \nL99: iload 9 \nL101: iadd \nL102: istore 17 \nL104: aload_0 \nL105: getfield Field ImprovedNoise p [I \nL108: iload 16 \nL110: iconst_1 \nL111: iadd \nL112: iaload \nL113: iload 9 \nL115: iadd \nL116: istore 18 \nL118: aload_0 \nL119: getfield Field ImprovedNoise p [I \nL122: iload 7 \nL124: iconst_1 \nL125: iadd \nL126: iaload \nL127: iload 8 \nL129: iadd \nL130: istore 19 \nL132: aload_0 \nL133: getfield Field ImprovedNoise p [I \nL136: iload 19 \nL138: iaload \nL139: iload 9 \nL141: iadd \nL142: istore 20 \nL144: aload_0 \nL145: getfield Field ImprovedNoise p [I \nL148: iload 19 \nL150: iconst_1 \nL151: iadd \nL152: iaload \nL153: iload 9 \nL155: iadd \nL156: istore 21 \nL158: aload_0 \nL159: dload 14 \nL161: aload_0 \nL162: dload 12 \nL164: aload_0 \nL165: dload 10 \nL167: aload_0 \nL168: aload_0 \nL169: getfield Field ImprovedNoise p [I \nL172: iload 17 \nL174: iaload \nL175: dload_1 \nL176: dload_3 \nL177: dload 5 \nL179: invokevirtual Method ImprovedNoise grad (IDDD)D \nL182: aload_0 \nL183: aload_0 \nL184: getfield Field ImprovedNoise p [I \nL187: iload 20 \nL189: iaload \nL190: dload_1 \nL191: dconst_1 \nL192: dsub \nL193: dload_3 \nL194: dload 5 \nL196: invokevirtual Method ImprovedNoise grad (IDDD)D \nL199: invokevirtual Method ImprovedNoise lerp (DDD)D \nL202: aload_0 \nL203: dload 10 \nL205: aload_0 \nL206: aload_0 \nL207: getfield Field ImprovedNoise p [I \nL210: iload 18 \nL212: iaload \nL213: dload_1 \nL214: dload_3 \nL215: dconst_1 \nL216: dsub \nL217: dload 5 \nL219: invokevirtual Method ImprovedNoise grad (IDDD)D \nL222: aload_0 \nL223: aload_0 \nL224: getfield Field ImprovedNoise p [I \nL227: iload 21 \nL229: iaload \nL230: dload_1 \nL231: dconst_1 \nL232: dsub \nL233: dload_3 \nL234: dconst_1 \nL235: dsub \nL236: dload 5 \nL238: invokevirtual Method ImprovedNoise grad (IDDD)D \nL241: invokevirtual Method ImprovedNoise lerp (DDD)D \nL244: invokevirtual Method ImprovedNoise lerp (DDD)D \nL247: aload_0 \nL248: dload 12 \nL250: aload_0 \nL251: dload 10 \nL253: aload_0 \nL254: aload_0 \nL255: getfield Field ImprovedNoise p [I \nL258: iload 17 \nL260: iconst_1 \nL261: iadd \nL262: iaload \nL263: dload_1 \nL264: dload_3 \nL265: dload 5 \nL267: dconst_1 \nL268: dsub \nL269: invokevirtual Method ImprovedNoise grad (IDDD)D \nL272: aload_0 \nL273: aload_0 \nL274: getfield Field ImprovedNoise p [I \nL277: iload 20 \nL279: iconst_1 \nL280: iadd \nL281: iaload \nL282: dload_1 \nL283: dconst_1 \nL284: dsub \nL285: dload_3 \nL286: dload 5 \nL288: dconst_1 \nL289: dsub \nL290: invokevirtual Method ImprovedNoise grad (IDDD)D \nL293: invokevirtual Method ImprovedNoise lerp (DDD)D \nL296: aload_0 \nL297: dload 10 \nL299: aload_0 \nL300: aload_0 \nL301: getfield Field ImprovedNoise p [I \nL304: iload 18 \nL306: iconst_1 \nL307: iadd \nL308: iaload \nL309: dload_1 \nL310: dload_3 \nL311: dconst_1 \nL312: dsub \nL313: dload 5 \nL315: dconst_1 \nL316: dsub \nL317: invokevirtual Method ImprovedNoise grad (IDDD)D \nL320: aload_0 \nL321: aload_0 \nL322: getfield Field ImprovedNoise p [I \nL325: iload 21 \nL327: iconst_1 \nL328: iadd \nL329: iaload \nL330: dload_1 \nL331: dconst_1 \nL332: dsub \nL333: dload_3 \nL334: dconst_1 \nL335: dsub \nL336: dload 5 \nL338: dconst_1 \nL339: dsub \nL340: invokevirtual Method ImprovedNoise grad (IDDD)D \nL343: invokevirtual Method ImprovedNoise lerp (DDD)D \nL346: invokevirtual Method ImprovedNoise lerp (DDD)D \nL349: invokevirtual Method ImprovedNoise lerp (DDD)D \nL352: dreturn \nL353: \n .linenumbertable \n L0 11 \n L11 12 \n L22 13 \n L34 14 \n L41 15 \n L48 16 \n L58 17 \n L65 18 \n L72 19 \n L80 20 \n L118 21 \n L158 23 \n L196 24 \n L199 23 \n L219 25 \n L238 26 \n L241 25 \n L244 23 \n L269 27 \n L290 28 \n L293 27 \n L317 29 \n L346 27 \n L349 23 \n .end linenumbertable \n .end code \n.end method \n\n.method fade : (D)D \n .code stack 8 locals 3 \nL0: dload_1 \nL1: dload_1 \nL2: dmul \nL3: dload_1 \nL4: dmul \nL5: dload_1 \nL6: dload_1 \nL7: ldc2_w +6.0 \nL10: dmul \nL11: ldc2_w +15.0 \nL14: dsub \nL15: dmul \nL16: ldc2_w +10.0 \nL19: dadd \nL20: dmul \nL21: dreturn \nL22: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n\n.method lerp : (DDD)D \n .code stack 8 locals 7 \nL0: dload_3 \nL1: dload_1 \nL2: dload 5 \nL4: dload_3 \nL5: dsub \nL6: dmul \nL7: dadd \nL8: dreturn \nL9: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n\n.method grad : (IDDD)D \n .code stack 4 locals 13 \nL0: iload_1 \nL1: bipush 15 \nL3: iand \nL4: istore 8 \nL6: iload 8 \nL8: bipush 8 \nL10: if_icmpge L17 \nL13: dload_2 \nL14: goto L19 \n\n .stack append Integer \nL17: dload 4 \n\n .stack stack_1 Double \nL19: dstore 9 \nL21: iload 8 \nL23: iconst_4 \nL24: if_icmpge L32 \nL27: dload 4 \nL29: goto L52 \n\n .stack append Double \nL32: iload 8 \nL34: bipush 12 \nL36: if_icmpeq L46 \nL39: iload 8 \nL41: bipush 14 \nL43: if_icmpne L50 \n\n .stack same \nL46: dload_2 \nL47: goto L52 \n\n .stack same \nL50: dload 6 \n\n .stack stack_1 Double \nL52: dstore 11 \nL54: iload 8 \nL56: iconst_1 \nL57: iand \nL58: ifne L66 \nL61: dload 9 \nL63: goto L69 \n\n .stack append Double \nL66: dload 9 \nL68: dneg \n\n .stack stack_1 Double \nL69: iload 8 \nL71: iconst_2 \nL72: iand \nL73: ifne L81 \nL76: dload 11 \nL78: goto L84 \n\n .stack stack_1 Double \nL81: dload 11 \nL83: dneg \n\n .stack full \n locals Object ImprovedNoise Integer Double Double Double Integer Double Double \n stack Double Double \n .end stack \nL84: dadd \nL85: dreturn \nL86: \n .linenumbertable \n L0 41 \n L6 42 \n L21 43 \n L54 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public perlinNoise : (DD)D \n .code stack 9 locals 10 \nL0: dconst_0 \nL1: dstore 5 \nL3: iconst_0 \nL4: istore 7 \n\n .stack append Double Integer \nL6: iload 7 \nL8: bipush 8 \nL10: if_icmpge L58 \nL13: ldc2_w +64.0 \nL16: iconst_1 \nL17: iload 7 \nL19: ishl \nL20: i2d \nL21: ddiv \nL22: dstore 8 \nL24: dload 5 \nL26: aload_0 \nL27: dload_1 \nL28: dload 8 \nL30: ddiv \nL31: dload_3 \nL32: dload 8 \nL34: ddiv \nL35: ldc2_w +128.0 \nL38: invokevirtual Method ImprovedNoise noise (DDD)D \nL41: dconst_1 \nL42: dmul \nL43: iconst_1 \nL44: iload 7 \nL46: ishl \nL47: i2d \nL48: ddiv \nL49: dadd \nL50: dstore 5 \nL52: iinc 7 1 \nL55: goto L6 \n\n .stack chop 1 \nL58: dload 5 \nL60: dreturn \nL61: \n .linenumbertable \n L0 50 \n L3 52 \n L13 53 \n L24 54 \n L52 52 \n L58 57 \n .end linenumbertable \n .end code \n.end method \n\n.method public shuffle : (J)V \n .code stack 6 locals 8 \nL0: new java/util/Random \nL3: dup \nL4: lload_1 \nL5: invokespecial Method java/util/Random (J)V \nL8: astore_3 \nL9: sipush 256 \nL12: newarray int \nL14: astore 4 \nL16: iconst_0 \nL17: istore 5 \n\n .stack append Object java/util/Random Object [I Integer \nL19: iload 5 \nL21: sipush 256 \nL24: if_icmpge L40 \nL27: aload 4 \nL29: iload 5 \nL31: iload 5 \nL33: iastore \nL34: iinc 5 1 \nL37: goto L19 \n\n .stack chop 1 \nL40: iconst_0 \nL41: istore 5 \n\n .stack append Integer \nL43: iload 5 \nL45: sipush 256 \nL48: if_icmpge L120 \nL51: aload_3 \nL52: sipush 256 \nL55: iload 5 \nL57: isub \nL58: invokevirtual Method java/util/Random nextInt (I)I \nL61: iload 5 \nL63: iadd \nL64: istore 6 \nL66: aload 4 \nL68: iload 5 \nL70: iaload \nL71: istore 7 \nL73: aload 4 \nL75: iload 5 \nL77: aload 4 \nL79: iload 6 \nL81: iaload \nL82: iastore \nL83: aload 4 \nL85: iload 6 \nL87: iload 7 \nL89: iastore \nL90: aload_0 \nL91: getfield Field ImprovedNoise p [I \nL94: iload 5 \nL96: sipush 256 \nL99: iadd \nL100: aload_0 \nL101: getfield Field ImprovedNoise p [I \nL104: iload 5 \nL106: aload 4 \nL108: iload 5 \nL110: iaload \nL111: dup_x2 \nL112: iastore \nL113: iastore \nL114: iinc 5 1 \nL117: goto L43 \n\n .stack chop 1 \nL120: return \nL121: \n .linenumbertable \n L0 61 \n L9 62 \n L16 63 \n L27 64 \n L34 63 \n L40 67 \n L51 68 \n L66 69 \n L73 70 \n L83 71 \n L90 72 \n L114 67 \n L120 74 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ImprovedNoise.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 01:14:39 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ImprovedNoise_ESTest extends ImprovedNoise_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise(0L);\n double double0 = improvedNoise0.fade(0L);\n assertEquals(0.0, double0, 1.0E-4);\n \n improvedNoise0.shuffle(0L);\n double double1 = improvedNoise0.grad(0, 0L, 0.0, 0.0);\n assertEquals(0.0, double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise(0L);\n improvedNoise0.shuffle(0L);\n int[] intArray0 = new int[2];\n improvedNoise0.shuffle(0L);\n intArray0[0] = 0;\n int int0 = (-49893);\n intArray0[1] = (-49893);\n improvedNoise0.p = intArray0;\n improvedNoise0.p = intArray0;\n improvedNoise0.lerp(0L, (-65651.29999204), (-65651.29999204));\n improvedNoise0.lerp((-49893), 0, (-51930.98));\n // Undeclared exception!\n try { \n improvedNoise0.shuffle((-49893));\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise(0L);\n long long0 = 0L;\n improvedNoise0.shuffle(0L);\n int int0 = (-17964);\n improvedNoise0.grad((-17964), (-17964), 0L, 0L);\n int[] intArray0 = new int[5];\n intArray0[0] = (-17964);\n intArray0[1] = (-49733);\n intArray0[2] = (-17964);\n intArray0[3] = (-17964);\n intArray0[4] = (-17964);\n improvedNoise0.p = intArray0;\n int int1 = (-40722);\n double double0 = (-3652.471139201);\n // Undeclared exception!\n try { \n improvedNoise0.shuffle(0L);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise((-18773L));\n double double0 = improvedNoise0.fade((-47606.8));\n assertEquals((-1.467300306370798E24), double0, 1.0E-4);\n \n double double1 = improvedNoise0.grad((-1), 32321.0, 34479.46026972831, 0.0);\n assertEquals((-34479.46026972831), double1, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise((-27878L));\n improvedNoise0.shuffle((-27878L));\n double double0 = improvedNoise0.grad(15370, 0.0, 0.0, (-55042.45165842683));\n assertEquals(55042.45165842683, double0, 1.0E-4);\n \n double double1 = improvedNoise0.fade((-55042.45165842683));\n assertEquals((-3.0315157153002856E24), double1, 1.0E-4);\n \n double double2 = improvedNoise0.lerp(0.0, 95213.34907227199, 0.0);\n assertEquals(95213.34907227199, double2, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise((-24263L));\n improvedNoise0.shuffle((-24263L));\n improvedNoise0.shuffle((-1L));\n int[] intArray0 = new int[3];\n intArray0[0] = (-1);\n intArray0[1] = 0;\n intArray0[2] = (-14866);\n improvedNoise0.p = intArray0;\n improvedNoise0.fade((-24263L));\n // Undeclared exception!\n try { \n improvedNoise0.shuffle(0L);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise(8591L);\n int int0 = 54368;\n improvedNoise0.shuffle(0L);\n int[] intArray0 = new int[2];\n intArray0[0] = 54368;\n intArray0[1] = 54368;\n improvedNoise0.p = intArray0;\n improvedNoise0.p = intArray0;\n improvedNoise0.grad(54368, 57870.33, (-18781.7987), (-13348.27));\n // Undeclared exception!\n try { \n improvedNoise0.perlinNoise(103008.1084, 103008.1084);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 73\n //\n verifyException(\"ImprovedNoise\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n long long0 = 1L;\n ImprovedNoise improvedNoise0 = new ImprovedNoise(1L);\n improvedNoise0.shuffle((-1L));\n long long1 = (-1L);\n improvedNoise0.shuffle((-1L));\n improvedNoise0.shuffle(30309L);\n improvedNoise0.shuffle(1L);\n int[] intArray0 = new int[0];\n improvedNoise0.p = intArray0;\n // Undeclared exception!\n try { \n improvedNoise0.shuffle(48182L);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n ImprovedNoise improvedNoise0 = new ImprovedNoise(0L);\n double double0 = improvedNoise0.fade(0.0);\n assertEquals(0.0, double0, 1.0E-4);\n }\n\n @Test(timeout = 4000)\n public void test9() throws Throwable {\n long long0 = (-58866L);\n ImprovedNoise improvedNoise0 = new ImprovedNoise((-58866L));\n int[] intArray0 = new int[0];\n improvedNoise0.p = intArray0;\n improvedNoise0.p = intArray0;\n // Undeclared exception!\n try { \n improvedNoise0.noise((-58866L), (-58866L), (-58866L));\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 14\n //\n verifyException(\"ImprovedNoise\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 01:14:39 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ImprovedNoise_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ImprovedNoise\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp8b_ic1y1\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ImprovedNoise_ESTest_scaffolding.class.getClassLoader() ,\n \"ImprovedNoise\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImprovedNoise_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ImprovedNoise\"\n );\n }\n}\n", "class_idx": 193} {"class_name": "UnknownProtocolException", "java_source": "/**\n * Anastacia is a Java ICQ/MSN/Yahoo Instant Messenger Copyright (C) 2002,2003 Benny Van Aerschot,\n * Bart Van Rompaey Made as a project in 3th year computer science at the university of Antwerp (UA)\n *\n *

This file is part of Anastacia.\n *\n *

Anastacia is free software; you can redistribute it and/or modify it under the terms of the\n * GNU General Public License as published by the Free Software Foundation; either version 2 of the\n * License, or (at your option) any later version.\n *\n *

Anastacia is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without\n * even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU\n * General Public License for more details.\n *\n *

You should have received a copy of the GNU General Public License along with Anastacia; if\n * not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA\n * 02111-1307 USA\n *\n *

Contact authors: Benny Van Aerschot - bennyva@pi.be Bart Van Rompaey - bart@perfectpc.be\n */\n\n/**\n * @author Bart Van Rompaey\n * @version $Revision: 1.1 $\n * @date $Date: 2003/04/04 18:03:51 $\n *

exception thrown when a method tries to work with a protocol that either doesn't exist,\n * isn't initialized or is not implemented.\n */\npublic class UnknownProtocolException extends Exception {\n /** Constructor for UnknownPacketException. */\n public UnknownProtocolException() {\n super();\n }\n\n /**\n * Constructor for UnknownPacketException.\n *\n * @param message\n */\n public UnknownProtocolException(String message) {\n super(message);\n }\n\n /**\n * Constructor for UnknownProtocolException.\n *\n * @param message\n * @param cause\n */\n public UnknownProtocolException(String message, Throwable cause) {\n super(message, cause);\n }\n\n /**\n * Constructor for UnknownProtocolException.\n *\n * @param cause\n */\n public UnknownProtocolException(Throwable cause) {\n super(cause);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UnknownProtocolException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 42 \n L4 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 50 \n L5 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 59 \n L6 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 67 \n L5 68 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UnknownProtocolException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 11:27:07 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UnknownProtocolException_ESTest extends UnknownProtocolException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UnknownProtocolException unknownProtocolException0 = new UnknownProtocolException();\n UnknownProtocolException unknownProtocolException1 = new UnknownProtocolException((String) null, unknownProtocolException0);\n assertFalse(unknownProtocolException1.equals((Object)unknownProtocolException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n UnknownProtocolException unknownProtocolException0 = new UnknownProtocolException(\"OI*h\");\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n UnknownProtocolException unknownProtocolException0 = new UnknownProtocolException();\n UnknownProtocolException unknownProtocolException1 = new UnknownProtocolException(unknownProtocolException0);\n assertFalse(unknownProtocolException1.equals((Object)unknownProtocolException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 11:27:07 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UnknownProtocolException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UnknownProtocolException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpy29uyd03\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UnknownProtocolException_ESTest_scaffolding.class.getClassLoader() ,\n \"UnknownProtocolException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UnknownProtocolException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UnknownProtocolException\"\n );\n }\n}\n", "class_idx": 194} {"class_name": "HeaderField", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one\n * or more contributor license agreements. See the NOTICE file\n * distributed with this work for additional information\n * regarding copyright ownership. The ASF licenses this file\n * to you under the Apache License, Version 2.0 (the\n * \"License\"); you may not use this file except in compliance\n * with the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing,\n * software distributed under the License is distributed on an\n * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n * KIND, either express or implied. See the License for the\n * specific language governing permissions and limitations\n * under the License.\n */\n\nimport java.util.ArrayList;\nimport java.util.List;\n\npublic class HeaderField implements Cloneable {\n private final String fieldName;\n private final List values;\n private final int lineNumber;\n\n public HeaderField(final String fieldName, final int lineNumber) {\n this(fieldName, new ArrayList(), lineNumber);\n }\n\n public HeaderField(final String fieldName, final List values, final int lineNumber) {\n this.fieldName = fieldName;\n this.values = values;\n this.lineNumber = lineNumber;\n }\n\n public String getFieldName() {\n return fieldName;\n }\n\n public List getValues() {\n return values;\n }\n\n public String getValue() {\n final StringBuilder result = new StringBuilder();\n\n for (final String value : values) {\n result.append(value);\n result.append(\", \");\n }\n\n if (result.length() > 0) {\n result.delete(result.length() - 2, result.length());\n }\n\n return result.toString();\n }\n\n @Override\n public HeaderField clone() {\n List newValues = new ArrayList(values.size());\n newValues.addAll(values);\n\n return new HeaderField(fieldName, newValues, lineNumber);\n }\n\n public int getLineNumber() {\n return lineNumber;\n }\n\n @Override\n public int hashCode() {\n final int prime = 31;\n int result = 1;\n result = prime * result + ((fieldName == null) ? 0 : fieldName.hashCode());\n result = prime * result + lineNumber;\n result = prime * result + ((values == null) ? 0 : values.hashCode());\n return result;\n }\n\n @Override\n public boolean equals(final Object obj) {\n if (this == obj) {\n return true;\n }\n if (obj == null) {\n return false;\n }\n if (getClass() != obj.getClass()) {\n return false;\n }\n HeaderField other = (HeaderField) obj;\n if (fieldName == null) {\n if (other.fieldName != null) {\n return false;\n }\n } else if (!fieldName.equals(other.fieldName)) {\n return false;\n }\n if (lineNumber != other.lineNumber) {\n return false;\n }\n if (values == null) {\n if (other.values != null) {\n return false;\n }\n } else if (!values.equals(other.values)) {\n return false;\n }\n return true;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super HeaderField \n.super java/lang/Object \n.implements java/lang/Cloneable \n.field private final fieldName Ljava/lang/String; \n.field private final values Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field private final lineNumber I \n\n.method public : (Ljava/lang/String;I)V \n .code stack 4 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: new java/util/ArrayList \nL5: dup \nL6: invokespecial Method java/util/ArrayList ()V \nL9: iload_2 \nL10: invokespecial Method HeaderField (Ljava/lang/String;Ljava/util/List;I)V \nL13: return \nL14: \n .linenumbertable \n L0 30 \n L13 31 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/util/List;I)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field HeaderField fieldName Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field HeaderField values Ljava/util/List; \nL14: aload_0 \nL15: iload_3 \nL16: putfield Field HeaderField lineNumber I \nL19: return \nL20: \n .linenumbertable \n L0 33 \n L4 34 \n L9 35 \n L14 36 \n L19 37 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;Ljava/util/List;I)V \n.end method \n\n.method public getFieldName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HeaderField fieldName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public getValues : ()Ljava/util/List; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HeaderField values Ljava/util/List; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/List; \n.end method \n\n.method public getValue : ()Ljava/lang/String; \n .code stack 3 locals 4 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: astore_1 \nL8: aload_0 \nL9: getfield Field HeaderField values Ljava/util/List; \nL12: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 \nL17: astore_2 \n\n .stack append Object java/lang/StringBuilder Object java/util/Iterator \nL18: aload_2 \nL19: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL24: ifeq L53 \nL27: aload_2 \nL28: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL33: checkcast java/lang/String \nL36: astore_3 \nL37: aload_1 \nL38: aload_3 \nL39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL42: pop \nL43: aload_1 \nL44: ldc ', ' \nL46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL49: pop \nL50: goto L18 \n\n .stack chop 1 \nL53: aload_1 \nL54: invokevirtual Method java/lang/StringBuilder length ()I \nL57: ifle L75 \nL60: aload_1 \nL61: aload_1 \nL62: invokevirtual Method java/lang/StringBuilder length ()I \nL65: iconst_2 \nL66: isub \nL67: aload_1 \nL68: invokevirtual Method java/lang/StringBuilder length ()I \nL71: invokevirtual Method java/lang/StringBuilder delete (II)Ljava/lang/StringBuilder; \nL74: pop \n\n .stack same \nL75: aload_1 \nL76: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL79: areturn \nL80: \n .linenumbertable \n L0 48 \n L8 50 \n L37 51 \n L43 52 \n L50 53 \n L53 55 \n L60 56 \n L75 59 \n .end linenumbertable \n .end code \n.end method \n\n.method public clone : ()LHeaderField; \n .code stack 5 locals 2 \nL0: new java/util/ArrayList \nL3: dup \nL4: aload_0 \nL5: getfield Field HeaderField values Ljava/util/List; \nL8: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL13: invokespecial Method java/util/ArrayList (I)V \nL16: astore_1 \nL17: aload_1 \nL18: aload_0 \nL19: getfield Field HeaderField values Ljava/util/List; \nL22: invokeinterface InterfaceMethod java/util/List addAll (Ljava/util/Collection;)Z 2 \nL27: pop \nL28: new HeaderField \nL31: dup \nL32: aload_0 \nL33: getfield Field HeaderField fieldName Ljava/lang/String; \nL36: aload_1 \nL37: aload_0 \nL38: getfield Field HeaderField lineNumber I \nL41: invokespecial Method HeaderField (Ljava/lang/String;Ljava/util/List;I)V \nL44: areturn \nL45: \n .linenumbertable \n L0 64 \n L17 65 \n L28 67 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLineNumber : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HeaderField lineNumber I \nL4: ireturn \nL5: \n .linenumbertable \n L0 71 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 3 \nL0: iconst_1 \nL1: istore_2 \nL2: bipush 31 \nL4: iload_2 \nL5: imul \nL6: aload_0 \nL7: getfield Field HeaderField fieldName Ljava/lang/String; \nL10: ifnonnull L17 \nL13: iconst_0 \nL14: goto L24 \n\n .stack full \n locals Object HeaderField Top Integer \n stack Integer \n .end stack \nL17: aload_0 \nL18: getfield Field HeaderField fieldName Ljava/lang/String; \nL21: invokevirtual Method java/lang/String hashCode ()I \n\n .stack full \n locals Object HeaderField Top Integer \n stack Integer Integer \n .end stack \nL24: iadd \nL25: istore_2 \nL26: bipush 31 \nL28: iload_2 \nL29: imul \nL30: aload_0 \nL31: getfield Field HeaderField lineNumber I \nL34: iadd \nL35: istore_2 \nL36: bipush 31 \nL38: iload_2 \nL39: imul \nL40: aload_0 \nL41: getfield Field HeaderField values Ljava/util/List; \nL44: ifnonnull L51 \nL47: iconst_0 \nL48: goto L60 \n\n .stack stack_1 Integer \nL51: aload_0 \nL52: getfield Field HeaderField values Ljava/util/List; \nL55: invokeinterface InterfaceMethod java/util/List hashCode ()I 1 \n\n .stack full \n locals Object HeaderField Top Integer \n stack Integer Integer \n .end stack \nL60: iadd \nL61: istore_2 \nL62: iload_2 \nL63: ireturn \nL64: \n .linenumbertable \n L0 77 \n L2 78 \n L26 79 \n L36 80 \n L62 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnonnull L13 \nL11: iconst_0 \nL12: ireturn \n\n .stack same \nL13: aload_0 \nL14: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL17: aload_1 \nL18: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL21: if_acmpeq L26 \nL24: iconst_0 \nL25: ireturn \n\n .stack same \nL26: aload_1 \nL27: checkcast HeaderField \nL30: astore_2 \nL31: aload_0 \nL32: getfield Field HeaderField fieldName Ljava/lang/String; \nL35: ifnonnull L47 \nL38: aload_2 \nL39: getfield Field HeaderField fieldName Ljava/lang/String; \nL42: ifnull L63 \nL45: iconst_0 \nL46: ireturn \n\n .stack append Object HeaderField \nL47: aload_0 \nL48: getfield Field HeaderField fieldName Ljava/lang/String; \nL51: aload_2 \nL52: getfield Field HeaderField fieldName Ljava/lang/String; \nL55: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL58: ifne L63 \nL61: iconst_0 \nL62: ireturn \n\n .stack same \nL63: aload_0 \nL64: getfield Field HeaderField lineNumber I \nL67: aload_2 \nL68: getfield Field HeaderField lineNumber I \nL71: if_icmpeq L76 \nL74: iconst_0 \nL75: ireturn \n\n .stack same \nL76: aload_0 \nL77: getfield Field HeaderField values Ljava/util/List; \nL80: ifnonnull L92 \nL83: aload_2 \nL84: getfield Field HeaderField values Ljava/util/List; \nL87: ifnull L110 \nL90: iconst_0 \nL91: ireturn \n\n .stack same \nL92: aload_0 \nL93: getfield Field HeaderField values Ljava/util/List; \nL96: aload_2 \nL97: getfield Field HeaderField values Ljava/util/List; \nL100: invokeinterface InterfaceMethod java/util/List equals (Ljava/lang/Object;)Z 2 \nL105: ifne L110 \nL108: iconst_0 \nL109: ireturn \n\n .stack same \nL110: iconst_1 \nL111: ireturn \nL112: \n .linenumbertable \n L0 86 \n L5 87 \n L7 89 \n L11 90 \n L13 92 \n L24 93 \n L26 95 \n L31 96 \n L38 97 \n L45 98 \n L47 100 \n L61 101 \n L63 103 \n L74 104 \n L76 106 \n L83 107 \n L90 108 \n L92 110 \n L108 111 \n L110 113 \n .end linenumbertable \n .end code \n.end method \n\n.method public bridge synthetic clone : ()Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method HeaderField clone ()LHeaderField; \nL4: areturn \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n .exceptions java/lang/CloneNotSupportedException \n.end method \n.sourcefile 'HeaderField.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 21:05:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.LinkedList;\nimport java.util.List;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HeaderField_ESTest extends HeaderField_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n HeaderField headerField0 = new HeaderField(\"\", (-13020));\n List list0 = headerField0.getValues();\n HeaderField headerField1 = new HeaderField(\"\", list0, 0);\n boolean boolean0 = headerField1.equals(headerField0);\n assertFalse(boolean0);\n assertEquals((-13020), headerField0.getLineNumber());\n assertFalse(headerField0.equals((Object)headerField1));\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n linkedList0.addFirst(\"OUok/XJ\");\n HeaderField headerField0 = new HeaderField(\"L\", linkedList0, 15020);\n HeaderField headerField1 = headerField0.clone();\n headerField1.getValues();\n assertTrue(headerField1.equals((Object)headerField0));\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n HeaderField headerField0 = new HeaderField(\"\", 70289);\n int int0 = headerField0.getLineNumber();\n assertEquals(70289, int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n HeaderField headerField0 = new HeaderField(\"\", (-1));\n int int0 = headerField0.getLineNumber();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n HeaderField headerField0 = new HeaderField((String) null, (-43931));\n headerField0.getFieldName();\n assertEquals((-43931), headerField0.getLineNumber());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n HeaderField headerField0 = new HeaderField(\"_sH2x~7\", linkedList0, 0);\n headerField0.getFieldName();\n assertEquals(0, headerField0.getLineNumber());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n HeaderField headerField0 = new HeaderField(\"\", (-1));\n HeaderField headerField1 = headerField0.clone();\n headerField1.getValue();\n HeaderField headerField2 = headerField1.clone();\n headerField1.getValue();\n int int0 = headerField2.getLineNumber();\n assertEquals((-1), int0);\n \n headerField2.getValues();\n headerField0.getFieldName();\n headerField1.hashCode();\n boolean boolean0 = headerField1.equals(headerField2);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n HeaderField headerField0 = new HeaderField((String) null, 62166);\n List list0 = headerField0.getValues();\n HeaderField headerField1 = new HeaderField((String) null, list0, (-4743));\n boolean boolean0 = headerField1.equals(headerField0);\n assertEquals((-4743), headerField1.getLineNumber());\n assertFalse(boolean0);\n assertFalse(headerField0.equals((Object)headerField1));\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n HeaderField headerField0 = new HeaderField(\"$u^3o2Znq:%ZI\", (-50577));\n HeaderField headerField1 = new HeaderField(\"9f:\u007fK$QV)'^hb*_Bx\", (-50577));\n boolean boolean0 = headerField0.equals(headerField1);\n assertFalse(boolean0);\n assertEquals((-50577), headerField1.getLineNumber());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n HeaderField headerField0 = new HeaderField((String) null, 787);\n List list0 = headerField0.getValues();\n HeaderField headerField1 = new HeaderField(\"\", list0, 49477);\n boolean boolean0 = headerField0.equals(headerField1);\n assertFalse(boolean0);\n assertEquals(49477, headerField1.getLineNumber());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n HeaderField headerField0 = new HeaderField((String) null, 28407);\n boolean boolean0 = headerField0.equals((Object) null);\n assertFalse(boolean0);\n assertEquals(28407, headerField0.getLineNumber());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n HeaderField headerField0 = new HeaderField(\"\", 0);\n boolean boolean0 = headerField0.equals(headerField0);\n assertEquals(0, headerField0.getLineNumber());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n HeaderField headerField0 = new HeaderField(\"L\", linkedList0, 15020);\n Object object0 = new Object();\n boolean boolean0 = headerField0.equals(object0);\n assertEquals(15020, headerField0.getLineNumber());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n HeaderField headerField0 = new HeaderField((String) null, 0);\n headerField0.hashCode();\n assertEquals(0, headerField0.getLineNumber());\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n LinkedList linkedList0 = new LinkedList();\n linkedList0.add(\"_sH2x~7\");\n HeaderField headerField0 = new HeaderField(\"_sH2x~7\", linkedList0, 0);\n headerField0.getValue();\n String string0 = headerField0.getValue();\n assertEquals(\"_sH2x~7\", string0);\n \n headerField0.getValues();\n headerField0.getFieldName();\n HeaderField headerField1 = headerField0.clone();\n assertEquals(0, headerField1.getLineNumber());\n \n int int0 = headerField0.getLineNumber();\n int int1 = headerField0.hashCode();\n assertFalse(int1 == int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 21:05:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HeaderField_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HeaderField\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkfbpqg7g\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HeaderField_ESTest_scaffolding.class.getClassLoader() ,\n \"HeaderField\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HeaderField_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HeaderField\"\n );\n }\n}\n", "class_idx": 195} {"class_name": "OAuth2ErrorRepresentation", "java_source": "public class OAuth2ErrorRepresentation {\n\n private String error;\n private String errorDescription;\n\n public OAuth2ErrorRepresentation() {}\n\n public OAuth2ErrorRepresentation(String error, String errorDescription) {\n this.error = error;\n this.errorDescription = errorDescription;\n }\n\n public String getError() {\n return error;\n }\n\n public void setError(String error) {\n this.error = error;\n }\n\n public String getErrorDescription() {\n return errorDescription;\n }\n\n public void setErrorDescription(String errorDescription) {\n this.errorDescription = errorDescription;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super OAuth2ErrorRepresentation \n.super java/lang/Object \n.field private error Ljava/lang/String; \n.field private errorDescription Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n L4 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field OAuth2ErrorRepresentation error Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field OAuth2ErrorRepresentation errorDescription Ljava/lang/String; \nL14: return \nL15: \n .linenumbertable \n L0 11 \n L4 12 \n L9 13 \n L14 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public getError : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OAuth2ErrorRepresentation error Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public setError : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field OAuth2ErrorRepresentation error Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 21 \n L5 22 \n .end linenumbertable \n .end code \n.end method \n\n.method public getErrorDescription : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field OAuth2ErrorRepresentation errorDescription Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public setErrorDescription : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field OAuth2ErrorRepresentation errorDescription Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 29 \n L5 30 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'OAuth2ErrorRepresentation.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 20:25:01 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class OAuth2ErrorRepresentation_ESTest extends OAuth2ErrorRepresentation_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n OAuth2ErrorRepresentation oAuth2ErrorRepresentation0 = new OAuth2ErrorRepresentation();\n String string0 = oAuth2ErrorRepresentation0.getErrorDescription();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n OAuth2ErrorRepresentation oAuth2ErrorRepresentation0 = new OAuth2ErrorRepresentation(\"\", \"\");\n oAuth2ErrorRepresentation0.setErrorDescription(\"toj#c)\");\n String string0 = oAuth2ErrorRepresentation0.getErrorDescription();\n assertEquals(\"toj#c)\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n OAuth2ErrorRepresentation oAuth2ErrorRepresentation0 = new OAuth2ErrorRepresentation(\"\", \"\");\n oAuth2ErrorRepresentation0.setError(\"toj#c)\");\n String string0 = oAuth2ErrorRepresentation0.getError();\n assertEquals(\"toj#c)\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n OAuth2ErrorRepresentation oAuth2ErrorRepresentation0 = new OAuth2ErrorRepresentation(\"\", \"\");\n String string0 = oAuth2ErrorRepresentation0.getError();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n OAuth2ErrorRepresentation oAuth2ErrorRepresentation0 = new OAuth2ErrorRepresentation(\"\", \"\");\n String string0 = oAuth2ErrorRepresentation0.getErrorDescription();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n OAuth2ErrorRepresentation oAuth2ErrorRepresentation0 = new OAuth2ErrorRepresentation();\n String string0 = oAuth2ErrorRepresentation0.getError();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 20:25:01 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class OAuth2ErrorRepresentation_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"OAuth2ErrorRepresentation\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpquqhe8rs\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OAuth2ErrorRepresentation_ESTest_scaffolding.class.getClassLoader() ,\n \"OAuth2ErrorRepresentation\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OAuth2ErrorRepresentation_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"OAuth2ErrorRepresentation\"\n );\n }\n}\n", "class_idx": 196} {"class_name": "GuessLetter3", "java_source": "/* Guess the letter Game */\n\nclass GuessLetter3 {\n public static void main(String args[]) throws java.io.IOException {\n\n char ch, answer = 'k';\n\n System.out.println(\"I'm thinking of a letter between A an Z.\");\n System.out.print(\"Can you guess it: \");\n\n // read character from keyboard\n ch = (char) System.in.read();\n\n // check the character against the answer\n if (ch == answer) System.out.println(\"** Right **\");\n else {\n System.out.println(\"** Sorry you're **\");\n if (ch < answer) System.out.println(\"too low\");\n else System.out.println(\"too high\");\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class super GuessLetter3 \n.super java/lang/Object \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: bipush 107 \nL2: istore_2 \nL3: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL6: ldc \"I'm thinking of a letter between A an Z.\" \nL8: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL11: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL14: ldc 'Can you guess it: ' \nL16: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL19: getstatic Field java/lang/System in Ljava/io/InputStream; \nL22: invokevirtual Method java/io/InputStream read ()I \nL25: i2c \nL26: istore_1 \nL27: iload_1 \nL28: iload_2 \nL29: if_icmpne L43 \nL32: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL35: ldc '** Right **' \nL37: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL40: goto L75 \n\n .stack append Integer Integer \nL43: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL46: ldc \"** Sorry you're **\" \nL48: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL51: iload_1 \nL52: iload_2 \nL53: if_icmpge L67 \nL56: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL59: ldc 'too low' \nL61: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL64: goto L75 \n\n .stack same \nL67: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL70: ldc 'too high' \nL72: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \n\n .stack same \nL75: return \nL76: \n .linenumbertable \n L0 6 \n L3 8 \n L11 9 \n L19 12 \n L27 15 \n L43 17 \n L51 18 \n L67 19 \n L75 21 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'GuessLetter3.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 09:46:48 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class GuessLetter3_ESTest extends GuessLetter3_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInUtil.addInputLine(\"qTkz.~-CS@=F\");\n GuessLetter3.main((String[]) null);\n GuessLetter3.main((String[]) null);\n GuessLetter3.main((String[]) null);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n GuessLetter3 guessLetter3_0 = new GuessLetter3();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 09:46:48 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class GuessLetter3_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"GuessLetter3\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpj5fawo6x\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GuessLetter3_ESTest_scaffolding.class.getClassLoader() ,\n \"GuessLetter3\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GuessLetter3_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"GuessLetter3\"\n );\n }\n}\n", "class_idx": 197} {"class_name": "Production1329", "java_source": "public class Production1329 {\n\n private String property0;\n\n public String getProperty0() {\n return property0;\n }\n\n public void setProperty0(String value) {\n property0 = value;\n }\n\n private String property1;\n\n public String getProperty1() {\n return property1;\n }\n\n public void setProperty1(String value) {\n property1 = value;\n }\n\n private String property2;\n\n public String getProperty2() {\n return property2;\n }\n\n public void setProperty2(String value) {\n property2 = value;\n }\n\n private String property3;\n\n public String getProperty3() {\n return property3;\n }\n\n public void setProperty3(String value) {\n property3 = value;\n }\n\n private String property4;\n\n public String getProperty4() {\n return property4;\n }\n\n public void setProperty4(String value) {\n property4 = value;\n }\n\n private String property5;\n\n public String getProperty5() {\n return property5;\n }\n\n public void setProperty5(String value) {\n property5 = value;\n }\n\n private String property6;\n\n public String getProperty6() {\n return property6;\n }\n\n public void setProperty6(String value) {\n property6 = value;\n }\n\n private String property7;\n\n public String getProperty7() {\n return property7;\n }\n\n public void setProperty7(String value) {\n property7 = value;\n }\n\n private String property8;\n\n public String getProperty8() {\n return property8;\n }\n\n public void setProperty8(String value) {\n property8 = value;\n }\n\n private String property9;\n\n public String getProperty9() {\n return property9;\n }\n\n public void setProperty9(String value) {\n property9 = value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Production1329 \n.super java/lang/Object \n.field private property0 Ljava/lang/String; \n.field private property1 Ljava/lang/String; \n.field private property2 Ljava/lang/String; \n.field private property3 Ljava/lang/String; \n.field private property4 Ljava/lang/String; \n.field private property5 Ljava/lang/String; \n.field private property6 Ljava/lang/String; \n.field private property7 Ljava/lang/String; \n.field private property8 Ljava/lang/String; \n.field private property9 Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty0 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property0 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty0 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property0 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 12 \n L5 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty1 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property1 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty1 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property1 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 22 \n L5 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty2 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property2 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty2 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property2 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 32 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty3 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property3 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty3 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property3 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 42 \n L5 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty4 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property4 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty4 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property4 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 52 \n L5 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty5 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property5 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty5 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property5 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 62 \n L5 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty6 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property6 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty6 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property6 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty7 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property7 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 78 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty7 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property7 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 82 \n L5 83 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty8 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property8 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 88 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty8 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property8 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 92 \n L5 93 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty9 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production1329 property9 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty9 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production1329 property9 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 102 \n L5 103 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Production1329.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 13:52:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Production1329_ESTest extends Production1329_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty9(\"Production1329\");\n String string0 = production1329_0.getProperty9();\n assertEquals(\"Production1329\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty9(\"\");\n String string0 = production1329_0.getProperty9();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty8(\"wq_YSRrn'GrY{(LcF\");\n String string0 = production1329_0.getProperty8();\n assertEquals(\"wq_YSRrn'GrY{(LcF\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty7(\"Production1329\");\n String string0 = production1329_0.getProperty7();\n assertEquals(\"Production1329\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty7(\"\");\n String string0 = production1329_0.getProperty7();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty6(\"\");\n String string0 = production1329_0.getProperty6();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty5(\"DV;UM\");\n String string0 = production1329_0.getProperty5();\n assertEquals(\"DV;UM\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty5(\"\");\n String string0 = production1329_0.getProperty5();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty4(\"@r@wYAJi;ePW@U)!Q\");\n String string0 = production1329_0.getProperty4();\n assertEquals(\"@r@wYAJi;ePW@U)!Q\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty4(\"\");\n String string0 = production1329_0.getProperty4();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty3(\"9h+;S2[#\");\n String string0 = production1329_0.getProperty3();\n assertEquals(\"9h+;S2[#\", string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty3(\"\");\n String string0 = production1329_0.getProperty3();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty2(\"u[m_(52dZ\");\n String string0 = production1329_0.getProperty2();\n assertEquals(\"u[m_(52dZ\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty2(\"\");\n String string0 = production1329_0.getProperty2();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty1(\"Production1329\");\n String string0 = production1329_0.getProperty1();\n assertEquals(\"Production1329\", string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty1(\"\");\n String string0 = production1329_0.getProperty1();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty0(\"x9RpGr><4BSO$'\");\n String string0 = production1329_0.getProperty0();\n assertEquals(\"x9RpGr><4BSO$'\", string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty0(\"\");\n String string0 = production1329_0.getProperty0();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty9();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty5();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty3();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty8(\"\");\n String string0 = production1329_0.getProperty8();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty6();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty2();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty7();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty1();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n production1329_0.setProperty6(\"*u1ho=;;2b[i*y^O\");\n String string0 = production1329_0.getProperty6();\n assertEquals(\"*u1ho=;;2b[i*y^O\", string0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty8();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty4();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n Production1329 production1329_0 = new Production1329();\n String string0 = production1329_0.getProperty0();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 13:52:14 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Production1329_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Production1329\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp8y2i5318\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production1329_ESTest_scaffolding.class.getClassLoader() ,\n \"Production1329\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production1329_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Production1329\"\n );\n }\n}\n", "class_idx": 198} {"class_name": "KafkaTopic", "java_source": "import java.util.Objects;\n\npublic class KafkaTopic {\n public String name;\n public int numPartitions;\n\n public KafkaTopic(String name, int numPartitions) {\n this.name = name;\n this.numPartitions = numPartitions;\n }\n\n @Override\n public boolean equals(Object o) {\n if (this == o) return true;\n if (o == null || getClass() != o.getClass()) return false;\n KafkaTopic that = (KafkaTopic) o;\n return numPartitions == that.numPartitions && Objects.equals(name, that.name);\n }\n\n @Override\n public int hashCode() {\n return Objects.hash(name, numPartitions);\n }\n\n @Override\n public String toString() {\n return \"KafkaTopic{\" + \"name='\" + name + '\\'' + \", numPartitions=\" + numPartitions + '}';\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super KafkaTopic \n.super java/lang/Object \n.field public name Ljava/lang/String; \n.field public numPartitions I \n\n.method public : (Ljava/lang/String;I)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field KafkaTopic name Ljava/lang/String; \nL9: aload_0 \nL10: iload_2 \nL11: putfield Field KafkaTopic numPartitions I \nL14: return \nL15: \n .linenumbertable \n L0 9 \n L4 10 \n L9 11 \n L14 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnull L22 \nL11: aload_0 \nL12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL15: aload_1 \nL16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL19: if_acmpeq L24 \n\n .stack same \nL22: iconst_0 \nL23: ireturn \n\n .stack same \nL24: aload_1 \nL25: checkcast KafkaTopic \nL28: astore_2 \nL29: aload_0 \nL30: getfield Field KafkaTopic numPartitions I \nL33: aload_2 \nL34: getfield Field KafkaTopic numPartitions I \nL37: if_icmpne L58 \nL40: aload_0 \nL41: getfield Field KafkaTopic name Ljava/lang/String; \nL44: aload_2 \nL45: getfield Field KafkaTopic name Ljava/lang/String; \nL48: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z \nL51: ifeq L58 \nL54: iconst_1 \nL55: goto L59 \n\n .stack append Object KafkaTopic \nL58: iconst_0 \n\n .stack stack_1 Integer \nL59: ireturn \nL60: \n .linenumbertable \n L0 16 \n L7 17 \n L24 18 \n L29 19 \n L48 20 \n L59 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 4 locals 1 \nL0: iconst_2 \nL1: anewarray java/lang/Object \nL4: dup \nL5: iconst_0 \nL6: aload_0 \nL7: getfield Field KafkaTopic name Ljava/lang/String; \nL10: aastore \nL11: dup \nL12: iconst_1 \nL13: aload_0 \nL14: getfield Field KafkaTopic numPartitions I \nL17: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL20: aastore \nL21: invokestatic Method java/util/Objects hash ([Ljava/lang/Object;)I \nL24: ireturn \nL25: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc \"KafkaTopic{name='\" \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field KafkaTopic name Ljava/lang/String; \nL16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL19: bipush 39 \nL21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL24: ldc ', numPartitions=' \nL26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL29: aload_0 \nL30: getfield Field KafkaTopic numPartitions I \nL33: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL36: bipush 125 \nL38: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL44: areturn \nL45: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'KafkaTopic.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 03:27:34 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class KafkaTopic_ESTest extends KafkaTopic_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n KafkaTopic kafkaTopic0 = new KafkaTopic(\"SE-=\", (-1));\n boolean boolean0 = kafkaTopic0.equals(kafkaTopic1);\n assertEquals((-1), kafkaTopic1.numPartitions);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n KafkaTopic kafkaTopic0 = new KafkaTopic(\"\", (-1));\n KafkaTopic kafkaTopic1 = new KafkaTopic(\"\", 48192);\n boolean boolean0 = kafkaTopic0.equals(kafkaTopic1);\n assertEquals(48192, kafkaTopic1.numPartitions);\n assertFalse(kafkaTopic1.equals((Object)kafkaTopic0));\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n KafkaTopic kafkaTopic0 = new KafkaTopic(\"SE-This program is free software: you can redistribute it and/or modify it under the terms of the\n * GNU General Public License as published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n *

This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY;\n * without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n *

You should have received a copy of the GNU General Public License along with this program. If\n * not, see .\n */\npublic class MediaTooLargeException extends Exception {\n\n public MediaTooLargeException() {\n // TODO Auto-generated constructor stub\n }\n\n public MediaTooLargeException(String detailMessage) {\n super(detailMessage);\n // TODO Auto-generated constructor stub\n }\n\n public MediaTooLargeException(Throwable throwable) {\n super(throwable);\n // TODO Auto-generated constructor stub\n }\n\n public MediaTooLargeException(String detailMessage, Throwable throwable) {\n super(detailMessage, throwable);\n // TODO Auto-generated constructor stub\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MediaTooLargeException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 21 \n L4 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 26 \n L5 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 31 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 36 \n L6 38 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MediaTooLargeException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:01:59 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MediaTooLargeException_ESTest extends MediaTooLargeException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MediaTooLargeException mediaTooLargeException0 = new MediaTooLargeException();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MediaTooLargeException mediaTooLargeException0 = new MediaTooLargeException(\"\");\n MediaTooLargeException mediaTooLargeException1 = new MediaTooLargeException(mediaTooLargeException0);\n assertFalse(mediaTooLargeException1.equals((Object)mediaTooLargeException0));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MediaTooLargeException mediaTooLargeException0 = new MediaTooLargeException(\"\");\n MediaTooLargeException mediaTooLargeException1 = new MediaTooLargeException(\"\", mediaTooLargeException0);\n assertFalse(mediaTooLargeException1.equals((Object)mediaTooLargeException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:01:59 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MediaTooLargeException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MediaTooLargeException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1z893aq2\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MediaTooLargeException_ESTest_scaffolding.class.getClassLoader() ,\n \"MediaTooLargeException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MediaTooLargeException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MediaTooLargeException\"\n );\n }\n}\n", "class_idx": 200} {"class_name": "MysqlConnector", "java_source": "import java.sql.Connection;\nimport java.sql.DriverManager;\nimport java.sql.ResultSet;\nimport java.sql.SQLException;\n\npublic class MysqlConnector {\n\n private static String user = \"guillox182\";\n private static String pass = \"123\";\n private static String schema = \"high_school\";\n\n private static Connection getConnection() throws Exception {\n try {\n Class.forName(\"com.mysql.jdbc.Driver\");\n return DriverManager.getConnection(\"jdbc:mysql://localhost/\" + schema, user, pass);\n\n } catch (Exception e) {\n throw e;\n }\n }\n\n public static ResultSet execute(String query) throws Exception {\n try {\n return getConnection().createStatement().executeQuery(query);\n } catch (SQLException e) {\n // TODO Auto-generated catch block\n e.printStackTrace();\n }\n return null;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MysqlConnector \n.super java/lang/Object \n.field private static user Ljava/lang/String; \n.field private static pass Ljava/lang/String; \n.field private static schema Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method private static getConnection : ()Ljava/sql/Connection; \n .code stack 3 locals 1 \n .catch java/lang/Exception from L0 to L36 using L37 \nL0: ldc 'com.mysql.jdbc.Driver' \nL2: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class; \nL5: pop \nL6: new java/lang/StringBuilder \nL9: dup \nL10: invokespecial Method java/lang/StringBuilder ()V \nL13: ldc 'jdbc:mysql://localhost/' \nL15: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL18: getstatic Field MysqlConnector schema Ljava/lang/String; \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL24: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL27: getstatic Field MysqlConnector user Ljava/lang/String; \nL30: getstatic Field MysqlConnector pass Ljava/lang/String; \nL33: invokestatic Method java/sql/DriverManager getConnection (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/sql/Connection; \nL36: areturn \n\n .stack stack_1 Object java/lang/Exception \nL37: astore_0 \nL38: aload_0 \nL39: athrow \nL40: \n .linenumbertable \n L0 16 \n L6 17 \n L37 19 \n L38 20 \n .end linenumbertable \n .end code \n .exceptions java/lang/Exception \n.end method \n\n.method public static execute : (Ljava/lang/String;)Ljava/sql/ResultSet; \n .code stack 2 locals 2 \n .catch java/sql/SQLException from L0 to L14 using L15 \nL0: invokestatic Method MysqlConnector getConnection ()Ljava/sql/Connection; \nL3: invokeinterface InterfaceMethod java/sql/Connection createStatement ()Ljava/sql/Statement; 1 \nL8: aload_0 \nL9: invokeinterface InterfaceMethod java/sql/Statement executeQuery (Ljava/lang/String;)Ljava/sql/ResultSet; 2 \nL14: areturn \n\n .stack stack_1 Object java/sql/SQLException \nL15: astore_1 \nL16: aload_1 \nL17: invokevirtual Method java/sql/SQLException printStackTrace ()V \nL20: aconst_null \nL21: areturn \nL22: \n .linenumbertable \n L0 26 \n L15 27 \n L16 29 \n L20 31 \n .end linenumbertable \n .end code \n .exceptions java/lang/Exception \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: ldc 'guillox182' \nL2: putstatic Field MysqlConnector user Ljava/lang/String; \nL5: ldc '123' \nL7: putstatic Field MysqlConnector pass Ljava/lang/String; \nL10: ldc 'high_school' \nL12: putstatic Field MysqlConnector schema Ljava/lang/String; \nL15: return \nL16: \n .linenumbertable \n L0 10 \n L5 11 \n L10 12 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MysqlConnector.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 13:45:11 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MysqlConnector_ESTest extends MysqlConnector_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n try { \n MysqlConnector.execute(\";Tom _Bp?4y2[Yl.\");\n fail(\"Expecting exception: ClassNotFoundException\");\n \n } catch(ClassNotFoundException e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MysqlConnector mysqlConnector0 = new MysqlConnector();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 13:45:11 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MysqlConnector_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MysqlConnector\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp44seqq3d\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MysqlConnector_ESTest_scaffolding.class.getClassLoader() ,\n \"MysqlConnector\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MysqlConnector_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MysqlConnector\"\n );\n }\n}\n", "class_idx": 201} {"class_name": "KHRVGParentImage", "java_source": "/*\n * Copyright LWJGL. All rights reserved.\n * License terms: http://lwjgl.org/license.php\n * MACHINE GENERATED FILE, DO NOT EDIT\n */\n\n/**\n * Native bindings to the KHR_vg_parent_image\n * extension.\n *\n *

This extension provides a mechanism for creating EGLImage objects from OpenVG VGImage API\n * resources. For an overview of EGLImage operation, please see the EGL_KHR_image specification.\n *\n *

Requires {@link EGL12 EGL L.1} and {@link KHRImage KHR_image}.\n */\npublic final class KHRVGParentImage {\n\n /** */\n public static final int EGL_VG_PARENT_IMAGE_KHR = 0x30BA;\n\n private KHRVGParentImage() {}\n}\n", "jasm_code": ".version 52 0 \n.class public final super KHRVGParentImage \n.super java/lang/Object \n.field public static final EGL_VG_PARENT_IMAGE_KHR I = 12474 \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'KHRVGParentImage.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 23:49:54 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class KHRVGParentImage_ESTest extends KHRVGParentImage_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 23:49:54 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class KHRVGParentImage_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"KHRVGParentImage\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(KHRVGParentImage_ESTest_scaffolding.class.getClassLoader() ,\n \"KHRVGParentImage\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(KHRVGParentImage_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"KHRVGParentImage\"\n );\n }\n}\n", "class_idx": 202} {"class_name": "AccumExpend", "java_source": "/**\n * Revenue Settlement and Sharing System GE Copyright (C) 2011-2014, Javier Lucio - lucio@tid.es\n * Telefonica Investigacion y Desarrollo, S.A.\n *\n *

This program is free software: you can redistribute it and/or modify it under the terms of the\n * GNU Affero General Public License as published by the Free Software Foundation, either version 3\n * of the License, or (at your option) any later version.\n *\n *

This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY;\n * without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n *

You should have received a copy of the GNU Affero General Public License along with this\n * program. If not, see .\n */\nimport java.math.BigDecimal;\nimport java.util.Date;\n\n/** */\npublic class AccumExpend {\n\n private String type;\n private String currency;\n private Date nextPeriodStartDate;\n private BigDecimal expensedAmount;\n\n public String getType() {\n return type;\n }\n\n public void setType(String type) {\n this.type = type;\n }\n\n public String getCurrency() {\n return currency;\n }\n\n public void setCurrency(String currency) {\n this.currency = currency;\n }\n\n public Date getNextPeriodStartDate() {\n return nextPeriodStartDate;\n }\n\n public void setNextPeriodStartDate(Date nextPeriodStartDate) {\n this.nextPeriodStartDate = nextPeriodStartDate;\n }\n\n public BigDecimal getExpensedAmount() {\n return expensedAmount;\n }\n\n public void setExpensedAmount(BigDecimal expensedAmount) {\n this.expensedAmount = expensedAmount;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super AccumExpend \n.super java/lang/Object \n.field private type Ljava/lang/String; \n.field private currency Ljava/lang/String; \n.field private nextPeriodStartDate Ljava/util/Date; \n.field private expensedAmount Ljava/math/BigDecimal; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public getType : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AccumExpend type Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public setType : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AccumExpend type Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 41 \n L5 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCurrency : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AccumExpend currency Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCurrency : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AccumExpend currency Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 49 \n L5 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public getNextPeriodStartDate : ()Ljava/util/Date; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AccumExpend nextPeriodStartDate Ljava/util/Date; \nL4: areturn \nL5: \n .linenumbertable \n L0 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public setNextPeriodStartDate : (Ljava/util/Date;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AccumExpend nextPeriodStartDate Ljava/util/Date; \nL5: return \nL6: \n .linenumbertable \n L0 57 \n L5 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public getExpensedAmount : ()Ljava/math/BigDecimal; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AccumExpend expensedAmount Ljava/math/BigDecimal; \nL4: areturn \nL5: \n .linenumbertable \n L0 61 \n .end linenumbertable \n .end code \n.end method \n\n.method public setExpensedAmount : (Ljava/math/BigDecimal;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AccumExpend expensedAmount Ljava/math/BigDecimal; \nL5: return \nL6: \n .linenumbertable \n L0 65 \n L5 66 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'AccumExpend.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 04:59:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.math.BigDecimal;\nimport java.util.Date;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockDate;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class AccumExpend_ESTest extends AccumExpend_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n accumExpend0.setType(\"+t4md'eDD,GU\");\n String string0 = accumExpend0.getType();\n assertEquals(\"+t4md'eDD,GU\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n accumExpend0.setType(\"\");\n String string0 = accumExpend0.getType();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n MockDate mockDate0 = new MockDate(0, 0, 81786);\n accumExpend0.setNextPeriodStartDate(mockDate0);\n Date date0 = accumExpend0.getNextPeriodStartDate();\n assertSame(date0, mockDate0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n BigDecimal bigDecimal0 = BigDecimal.ZERO;\n accumExpend0.setExpensedAmount(bigDecimal0);\n BigDecimal bigDecimal1 = accumExpend0.getExpensedAmount();\n assertEquals((byte)0, bigDecimal1.byteValue());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n BigDecimal bigDecimal0 = BigDecimal.TEN;\n accumExpend0.setExpensedAmount(bigDecimal0);\n BigDecimal bigDecimal1 = accumExpend0.getExpensedAmount();\n assertEquals((short)10, bigDecimal1.shortValue());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n BigDecimal bigDecimal0 = new BigDecimal(35466);\n accumExpend0.setExpensedAmount(bigDecimal0);\n BigDecimal bigDecimal1 = accumExpend0.getExpensedAmount();\n assertEquals((byte) (-118), bigDecimal1.byteValue());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n accumExpend0.setCurrency(\"+t4md'eDD,GU\");\n String string0 = accumExpend0.getCurrency();\n assertEquals(\"+t4md'eDD,GU\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n accumExpend0.setCurrency(\"\");\n String string0 = accumExpend0.getCurrency();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n BigDecimal bigDecimal0 = accumExpend0.getExpensedAmount();\n assertNull(bigDecimal0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n String string0 = accumExpend0.getCurrency();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n String string0 = accumExpend0.getType();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n AccumExpend accumExpend0 = new AccumExpend();\n Date date0 = accumExpend0.getNextPeriodStartDate();\n assertNull(date0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 04:59:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class AccumExpend_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"AccumExpend\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp5itz7bww\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AccumExpend_ESTest_scaffolding.class.getClassLoader() ,\n \"AccumExpend\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AccumExpend_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"AccumExpend\"\n );\n }\n}\n", "class_idx": 203} {"class_name": "EmptyIntSetException", "java_source": "/** Created by omar on 06/04/17. */\npublic class EmptyIntSetException extends Exception {\n public EmptyIntSetException() {\n super(\"The set is empty!\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super EmptyIntSetException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: ldc 'The set is empty!' \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL6: return \nL7: \n .linenumbertable \n L0 8 \n L6 9 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'EmptyIntSetException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 22:29:55 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class EmptyIntSetException_ESTest extends EmptyIntSetException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n EmptyIntSetException emptyIntSetException0 = new EmptyIntSetException();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 22:29:55 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class EmptyIntSetException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"EmptyIntSetException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpb_493igy\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EmptyIntSetException_ESTest_scaffolding.class.getClassLoader() ,\n \"EmptyIntSetException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EmptyIntSetException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"EmptyIntSetException\"\n );\n }\n}\n", "class_idx": 204} {"class_name": "Test22", "java_source": "/**\n * @author Shunli\n */\npublic class Test22 {\n public static void main(String[] args) {\n // String format = \"\u6d3b\u52a8\u5c06\u4e8e%1$s\u70b9\u5f00\u653e\uff0c\u656c\u8bf7\u671f\u5f85\";\n //\n // Object[] parms = new Object[] { 1, \"test2\" };\n // try {\n // System.out.println(String.format(format, parms));\n // } catch (Exception e) {\n // System.out.println(format);\n // }\n\n // System.out.println(\"\u8d26\u53f7ID\\\\t\u8001\u8d26\u53f7\");\n\n int j = 0;\n for (int i = 0; i < 100; i++) j = j++;\n System.out.println(j);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Test22 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: iconst_0 \nL1: istore_1 \nL2: iconst_0 \nL3: istore_2 \n\n .stack append Integer Integer \nL4: iload_2 \nL5: bipush 100 \nL7: if_icmpge L21 \nL10: iload_1 \nL11: iinc 1 1 \nL14: istore_1 \nL15: iinc 2 1 \nL18: goto L4 \n\n .stack chop 1 \nL21: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL24: iload_1 \nL25: invokevirtual Method java/io/PrintStream println (I)V \nL28: return \nL29: \n .linenumbertable \n L0 20 \n L2 21 \n L10 22 \n L15 21 \n L21 23 \n L28 24 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Test22.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 16:26:47 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Test22_ESTest extends Test22_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[3];\n Test22.main(stringArray0);\n Test22 test22_0 = new Test22();\n Test22.main(stringArray0);\n assertEquals(3, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 16:26:47 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Test22_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Test22\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp88txb8bb\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test22_ESTest_scaffolding.class.getClassLoader() ,\n \"Test22\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test22_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Test22\"\n );\n }\n}\n", "class_idx": 205} {"class_name": "APIGatewayProxyResponseEvent", "java_source": "import java.io.Serializable;\nimport java.util.List;\nimport java.util.Map;\n\n/** Class that represents an APIGatewayProxyResponseEvent object */\npublic class APIGatewayProxyResponseEvent implements Serializable, Cloneable {\n\n private static final long serialVersionUID = 2263167344670024172L;\n\n private Integer statusCode;\n\n private Map headers;\n\n private Map> multiValueHeaders;\n\n private String body;\n\n private Boolean isBase64Encoded;\n\n /** default constructor */\n public APIGatewayProxyResponseEvent() {}\n\n /**\n * @return The HTTP status code for the request\n */\n public Integer getStatusCode() {\n return statusCode;\n }\n\n /**\n * @param statusCode The HTTP status code for the request\n */\n public void setStatusCode(Integer statusCode) {\n this.statusCode = statusCode;\n }\n\n /**\n * @param statusCode The HTTP status code for the request\n * @return APIGatewayProxyResponseEvent object\n */\n public APIGatewayProxyResponseEvent withStatusCode(Integer statusCode) {\n this.setStatusCode(statusCode);\n return this;\n }\n\n /**\n * @return The Http headers return in the response\n */\n public Map getHeaders() {\n return headers;\n }\n\n /**\n * @param headers The Http headers return in the response\n */\n public void setHeaders(Map headers) {\n this.headers = headers;\n }\n\n /**\n * @param headers The Http headers return in the response\n * @return APIGatewayProxyResponseEvent\n */\n public APIGatewayProxyResponseEvent withHeaders(Map headers) {\n this.setHeaders(headers);\n return this;\n }\n\n /**\n * @return the Http multi value headers to return in the response\n */\n public Map> getMultiValueHeaders() {\n return multiValueHeaders;\n }\n\n /**\n * @param multiValueHeaders the Http multi value headers to return in the response\n */\n public void setMultiValueHeaders(Map> multiValueHeaders) {\n this.multiValueHeaders = multiValueHeaders;\n }\n\n /**\n * @param multiValueHeaders the Http multi value headers to return in the response\n * @return APIGatewayProxyResponseEvent\n */\n public APIGatewayProxyResponseEvent withMultiValueHeaders(\n Map> multiValueHeaders) {\n this.setMultiValueHeaders(multiValueHeaders);\n return this;\n }\n\n /**\n * @return The response body\n */\n public String getBody() {\n return body;\n }\n\n /**\n * @param body The response body\n */\n public void setBody(String body) {\n this.body = body;\n }\n\n /**\n * @param body The response body\n * @return APIGatewayProxyResponseEvent object\n */\n public APIGatewayProxyResponseEvent withBody(String body) {\n this.setBody(body);\n return this;\n }\n\n /**\n * @return whether the body String is base64 encoded.\n */\n public Boolean getIsBase64Encoded() {\n return this.isBase64Encoded;\n }\n\n /**\n * @param isBase64Encoded Whether the body String is base64 encoded\n */\n public void setIsBase64Encoded(Boolean isBase64Encoded) {\n this.isBase64Encoded = isBase64Encoded;\n }\n\n /**\n * @param isBase64Encoded Whether the body String is base64 encoded\n * @return APIGatewayProxyRequestEvent\n */\n public APIGatewayProxyResponseEvent withIsBase64Encoded(Boolean isBase64Encoded) {\n this.setIsBase64Encoded(isBase64Encoded);\n return this;\n }\n\n /**\n * Returns a string representation of this object; useful for testing and debugging.\n *\n * @return A string representation of this object.\n * @see Object#toString()\n */\n @Override\n public String toString() {\n StringBuilder sb = new StringBuilder();\n sb.append(\"{\");\n if (getStatusCode() != null) sb.append(\"statusCode: \").append(getStatusCode()).append(\",\");\n if (getHeaders() != null) sb.append(\"headers: \").append(getHeaders().toString()).append(\",\");\n if (getMultiValueHeaders() != null)\n sb.append(\"multiValueHeaders: \").append(getMultiValueHeaders().toString()).append(\",\");\n if (getBody() != null) sb.append(\"body: \").append(getBody());\n sb.append(\"}\");\n return sb.toString();\n }\n\n @Override\n public boolean equals(Object obj) {\n if (this == obj) return true;\n if (obj == null) return false;\n\n if (obj instanceof APIGatewayProxyResponseEvent == false) return false;\n APIGatewayProxyResponseEvent other = (APIGatewayProxyResponseEvent) obj;\n if (other.getStatusCode() == null ^ this.getStatusCode() == null) return false;\n if (other.getStatusCode() != null\n && other.getStatusCode().equals(this.getStatusCode()) == false) return false;\n if (other.getHeaders() == null ^ this.getHeaders() == null) return false;\n if (other.getHeaders() != null && other.getHeaders().equals(this.getHeaders()) == false)\n return false;\n if (other.getMultiValueHeaders() == null ^ this.getMultiValueHeaders() == null) return false;\n if (other.getMultiValueHeaders() != null\n && other.getMultiValueHeaders().equals(this.getMultiValueHeaders()) == false) return false;\n if (other.getBody() == null ^ this.getBody() == null) return false;\n if (other.getBody() != null && other.getBody().equals(this.getBody()) == false) return false;\n return true;\n }\n\n @Override\n public int hashCode() {\n final int prime = 31;\n int hashCode = 1;\n\n hashCode = prime * hashCode + ((getStatusCode() == null) ? 0 : getStatusCode().hashCode());\n hashCode = prime * hashCode + ((getHeaders() == null) ? 0 : getHeaders().hashCode());\n hashCode =\n prime * hashCode\n + ((getMultiValueHeaders() == null) ? 0 : getMultiValueHeaders().hashCode());\n hashCode = prime * hashCode + ((getBody() == null) ? 0 : getBody().hashCode());\n return hashCode;\n }\n\n @Override\n public APIGatewayProxyResponseEvent clone() {\n try {\n return (APIGatewayProxyResponseEvent) super.clone();\n } catch (CloneNotSupportedException e) {\n throw new IllegalStateException(\"Got a CloneNotSupportedException from Object.clone()\", e);\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super APIGatewayProxyResponseEvent \n.super java/lang/Object \n.implements java/io/Serializable \n.implements java/lang/Cloneable \n.field private static final serialVersionUID J = 2263167344670024172L \n.field private statusCode Ljava/lang/Integer; \n.field private headers Ljava/util/Map; .fieldattributes \n .signature Ljava/util/Map; \n.end fieldattributes \n.field private multiValueHeaders Ljava/util/Map; .fieldattributes \n .signature Ljava/util/Map;>; \n.end fieldattributes \n.field private body Ljava/lang/String; \n.field private isBase64Encoded Ljava/lang/Boolean; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStatusCode : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field APIGatewayProxyResponseEvent statusCode Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public setStatusCode : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field APIGatewayProxyResponseEvent statusCode Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 40 \n L5 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public withStatusCode : (Ljava/lang/Integer;)LAPIGatewayProxyResponseEvent; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method APIGatewayProxyResponseEvent setStatusCode (Ljava/lang/Integer;)V \nL5: aload_0 \nL6: areturn \nL7: \n .linenumbertable \n L0 48 \n L5 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public getHeaders : ()Ljava/util/Map; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field APIGatewayProxyResponseEvent headers Ljava/util/Map; \nL4: areturn \nL5: \n .linenumbertable \n L0 56 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/Map; \n.end method \n\n.method public setHeaders : (Ljava/util/Map;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field APIGatewayProxyResponseEvent headers Ljava/util/Map; \nL5: return \nL6: \n .linenumbertable \n L0 63 \n L5 64 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Map;)V \n.end method \n\n.method public withHeaders : (Ljava/util/Map;)LAPIGatewayProxyResponseEvent; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method APIGatewayProxyResponseEvent setHeaders (Ljava/util/Map;)V \nL5: aload_0 \nL6: areturn \nL7: \n .linenumbertable \n L0 71 \n L5 72 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Map;)LAPIGatewayProxyResponseEvent; \n.end method \n\n.method public getMultiValueHeaders : ()Ljava/util/Map; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field APIGatewayProxyResponseEvent multiValueHeaders Ljava/util/Map; \nL4: areturn \nL5: \n .linenumbertable \n L0 79 \n .end linenumbertable \n .end code \n .signature ()Ljava/util/Map;>; \n.end method \n\n.method public setMultiValueHeaders : (Ljava/util/Map;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field APIGatewayProxyResponseEvent multiValueHeaders Ljava/util/Map; \nL5: return \nL6: \n .linenumbertable \n L0 86 \n L5 87 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Map;>;)V \n.end method \n\n.method public withMultiValueHeaders : (Ljava/util/Map;)LAPIGatewayProxyResponseEvent; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method APIGatewayProxyResponseEvent setMultiValueHeaders (Ljava/util/Map;)V \nL5: aload_0 \nL6: areturn \nL7: \n .linenumbertable \n L0 95 \n L5 96 \n .end linenumbertable \n .end code \n .signature (Ljava/util/Map;>;)LAPIGatewayProxyResponseEvent; \n.end method \n\n.method public getBody : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field APIGatewayProxyResponseEvent body Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 103 \n .end linenumbertable \n .end code \n.end method \n\n.method public setBody : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field APIGatewayProxyResponseEvent body Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 110 \n L5 111 \n .end linenumbertable \n .end code \n.end method \n\n.method public withBody : (Ljava/lang/String;)LAPIGatewayProxyResponseEvent; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method APIGatewayProxyResponseEvent setBody (Ljava/lang/String;)V \nL5: aload_0 \nL6: areturn \nL7: \n .linenumbertable \n L0 118 \n L5 119 \n .end linenumbertable \n .end code \n.end method \n\n.method public getIsBase64Encoded : ()Ljava/lang/Boolean; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field APIGatewayProxyResponseEvent isBase64Encoded Ljava/lang/Boolean; \nL4: areturn \nL5: \n .linenumbertable \n L0 126 \n .end linenumbertable \n .end code \n.end method \n\n.method public setIsBase64Encoded : (Ljava/lang/Boolean;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field APIGatewayProxyResponseEvent isBase64Encoded Ljava/lang/Boolean; \nL5: return \nL6: \n .linenumbertable \n L0 133 \n L5 134 \n .end linenumbertable \n .end code \n.end method \n\n.method public withIsBase64Encoded : (Ljava/lang/Boolean;)LAPIGatewayProxyResponseEvent; \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method APIGatewayProxyResponseEvent setIsBase64Encoded (Ljava/lang/Boolean;)V \nL5: aload_0 \nL6: areturn \nL7: \n .linenumbertable \n L0 141 \n L5 142 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 2 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: astore_1 \nL8: aload_1 \nL9: ldc '{' \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: pop \nL15: aload_0 \nL16: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL19: ifnull L41 \nL22: aload_1 \nL23: ldc 'statusCode: ' \nL25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL28: aload_0 \nL29: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL35: ldc ',' \nL37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL40: pop \n\n .stack append Object java/lang/StringBuilder \nL41: aload_0 \nL42: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL45: ifnull L70 \nL48: aload_1 \nL49: ldc 'headers: ' \nL51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL54: aload_0 \nL55: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL58: invokevirtual Method java/lang/Object toString ()Ljava/lang/String; \nL61: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL64: ldc ',' \nL66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL69: pop \n\n .stack same \nL70: aload_0 \nL71: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL74: ifnull L99 \nL77: aload_1 \nL78: ldc 'multiValueHeaders: ' \nL80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL83: aload_0 \nL84: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL87: invokevirtual Method java/lang/Object toString ()Ljava/lang/String; \nL90: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL93: ldc ',' \nL95: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL98: pop \n\n .stack same \nL99: aload_0 \nL100: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL103: ifnull L120 \nL106: aload_1 \nL107: ldc 'body: ' \nL109: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL112: aload_0 \nL113: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL116: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL119: pop \n\n .stack same \nL120: aload_1 \nL121: ldc '}' \nL123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL126: pop \nL127: aload_1 \nL128: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL131: areturn \nL132: \n .linenumbertable \n L0 154 \n L8 155 \n L15 156 \n L22 157 \n L41 158 \n L48 159 \n L70 160 \n L77 161 \n L99 162 \n L106 163 \n L120 164 \n L127 165 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnonnull L13 \nL11: iconst_0 \nL12: ireturn \n\n .stack same \nL13: aload_1 \nL14: instanceof APIGatewayProxyResponseEvent \nL17: ifne L22 \nL20: iconst_0 \nL21: ireturn \n\n .stack same \nL22: aload_1 \nL23: checkcast APIGatewayProxyResponseEvent \nL26: astore_2 \nL27: aload_2 \nL28: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL31: ifnonnull L38 \nL34: iconst_1 \nL35: goto L39 \n\n .stack append Object APIGatewayProxyResponseEvent \nL38: iconst_0 \n\n .stack stack_1 Integer \nL39: aload_0 \nL40: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL43: ifnonnull L50 \nL46: iconst_1 \nL47: goto L51 \n\n .stack stack_1 Integer \nL50: iconst_0 \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Object java/lang/Object Object APIGatewayProxyResponseEvent \n stack Integer Integer \n .end stack \nL51: ixor \nL52: ifeq L57 \nL55: iconst_0 \nL56: ireturn \n\n .stack same \nL57: aload_2 \nL58: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL61: ifnull L80 \nL64: aload_2 \nL65: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL68: aload_0 \nL69: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL72: invokevirtual Method java/lang/Integer equals (Ljava/lang/Object;)Z \nL75: ifne L80 \nL78: iconst_0 \nL79: ireturn \n\n .stack same \nL80: aload_2 \nL81: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL84: ifnonnull L91 \nL87: iconst_1 \nL88: goto L92 \n\n .stack same \nL91: iconst_0 \n\n .stack stack_1 Integer \nL92: aload_0 \nL93: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL96: ifnonnull L103 \nL99: iconst_1 \nL100: goto L104 \n\n .stack stack_1 Integer \nL103: iconst_0 \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Object java/lang/Object Object APIGatewayProxyResponseEvent \n stack Integer Integer \n .end stack \nL104: ixor \nL105: ifeq L110 \nL108: iconst_0 \nL109: ireturn \n\n .stack same \nL110: aload_2 \nL111: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL114: ifnull L135 \nL117: aload_2 \nL118: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL121: aload_0 \nL122: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL125: invokeinterface InterfaceMethod java/util/Map equals (Ljava/lang/Object;)Z 2 \nL130: ifne L135 \nL133: iconst_0 \nL134: ireturn \n\n .stack same \nL135: aload_2 \nL136: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL139: ifnonnull L146 \nL142: iconst_1 \nL143: goto L147 \n\n .stack same \nL146: iconst_0 \n\n .stack stack_1 Integer \nL147: aload_0 \nL148: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL151: ifnonnull L158 \nL154: iconst_1 \nL155: goto L159 \n\n .stack stack_1 Integer \nL158: iconst_0 \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Object java/lang/Object Object APIGatewayProxyResponseEvent \n stack Integer Integer \n .end stack \nL159: ixor \nL160: ifeq L165 \nL163: iconst_0 \nL164: ireturn \n\n .stack same \nL165: aload_2 \nL166: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL169: ifnull L190 \nL172: aload_2 \nL173: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL176: aload_0 \nL177: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL180: invokeinterface InterfaceMethod java/util/Map equals (Ljava/lang/Object;)Z 2 \nL185: ifne L190 \nL188: iconst_0 \nL189: ireturn \n\n .stack same \nL190: aload_2 \nL191: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL194: ifnonnull L201 \nL197: iconst_1 \nL198: goto L202 \n\n .stack same \nL201: iconst_0 \n\n .stack stack_1 Integer \nL202: aload_0 \nL203: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL206: ifnonnull L213 \nL209: iconst_1 \nL210: goto L214 \n\n .stack stack_1 Integer \nL213: iconst_0 \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Object java/lang/Object Object APIGatewayProxyResponseEvent \n stack Integer Integer \n .end stack \nL214: ixor \nL215: ifeq L220 \nL218: iconst_0 \nL219: ireturn \n\n .stack same \nL220: aload_2 \nL221: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL224: ifnull L243 \nL227: aload_2 \nL228: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL231: aload_0 \nL232: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL235: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL238: ifne L243 \nL241: iconst_0 \nL242: ireturn \n\n .stack same \nL243: iconst_1 \nL244: ireturn \nL245: \n .linenumbertable \n L0 170 \n L5 171 \n L7 172 \n L11 173 \n L13 175 \n L20 176 \n L22 177 \n L27 178 \n L55 179 \n L57 180 \n L78 181 \n L80 182 \n L108 183 \n L110 184 \n L133 185 \n L135 186 \n L163 187 \n L165 188 \n L188 189 \n L190 190 \n L218 191 \n L220 192 \n L241 193 \n L243 194 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 3 \nL0: iconst_1 \nL1: istore_2 \nL2: bipush 31 \nL4: iload_2 \nL5: imul \nL6: aload_0 \nL7: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL10: ifnonnull L17 \nL13: iconst_0 \nL14: goto L24 \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Top Integer \n stack Integer \n .end stack \nL17: aload_0 \nL18: invokevirtual Method APIGatewayProxyResponseEvent getStatusCode ()Ljava/lang/Integer; \nL21: invokevirtual Method java/lang/Integer hashCode ()I \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Top Integer \n stack Integer Integer \n .end stack \nL24: iadd \nL25: istore_2 \nL26: bipush 31 \nL28: iload_2 \nL29: imul \nL30: aload_0 \nL31: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL34: ifnonnull L41 \nL37: iconst_0 \nL38: goto L50 \n\n .stack stack_1 Integer \nL41: aload_0 \nL42: invokevirtual Method APIGatewayProxyResponseEvent getHeaders ()Ljava/util/Map; \nL45: invokeinterface InterfaceMethod java/util/Map hashCode ()I 1 \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Top Integer \n stack Integer Integer \n .end stack \nL50: iadd \nL51: istore_2 \nL52: bipush 31 \nL54: iload_2 \nL55: imul \nL56: aload_0 \nL57: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL60: ifnonnull L67 \nL63: iconst_0 \nL64: goto L76 \n\n .stack stack_1 Integer \nL67: aload_0 \nL68: invokevirtual Method APIGatewayProxyResponseEvent getMultiValueHeaders ()Ljava/util/Map; \nL71: invokeinterface InterfaceMethod java/util/Map hashCode ()I 1 \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Top Integer \n stack Integer Integer \n .end stack \nL76: iadd \nL77: istore_2 \nL78: bipush 31 \nL80: iload_2 \nL81: imul \nL82: aload_0 \nL83: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL86: ifnonnull L93 \nL89: iconst_0 \nL90: goto L100 \n\n .stack stack_1 Integer \nL93: aload_0 \nL94: invokevirtual Method APIGatewayProxyResponseEvent getBody ()Ljava/lang/String; \nL97: invokevirtual Method java/lang/String hashCode ()I \n\n .stack full \n locals Object APIGatewayProxyResponseEvent Top Integer \n stack Integer Integer \n .end stack \nL100: iadd \nL101: istore_2 \nL102: iload_2 \nL103: ireturn \nL104: \n .linenumbertable \n L0 200 \n L2 202 \n L26 203 \n L52 204 \n L78 205 \n L102 206 \n .end linenumbertable \n .end code \n.end method \n\n.method public clone : ()LAPIGatewayProxyResponseEvent; \n .code stack 4 locals 2 \n .catch java/lang/CloneNotSupportedException from L0 to L7 using L8 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object clone ()Ljava/lang/Object; \nL4: checkcast APIGatewayProxyResponseEvent \nL7: areturn \n\n .stack stack_1 Object java/lang/CloneNotSupportedException \nL8: astore_1 \nL9: new java/lang/IllegalStateException \nL12: dup \nL13: ldc 'Got a CloneNotSupportedException from Object.clone()' \nL15: aload_1 \nL16: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL19: athrow \nL20: \n .linenumbertable \n L0 212 \n L8 213 \n L9 214 \n .end linenumbertable \n .end code \n.end method \n\n.method public bridge synthetic clone : ()Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method APIGatewayProxyResponseEvent clone ()LAPIGatewayProxyResponseEvent; \nL4: areturn \nL5: \n .linenumbertable \n L0 10 \n .end linenumbertable \n .end code \n .exceptions java/lang/CloneNotSupportedException \n.end method \n.sourcefile 'APIGatewayProxyResponseEvent.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 18:08:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.HashMap;\nimport java.util.LinkedList;\nimport java.util.List;\nimport java.util.Map;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class APIGatewayProxyResponseEvent_ESTest extends APIGatewayProxyResponseEvent_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n aPIGatewayProxyResponseEvent0.withBody(\"Ug5AM6(0%4SH3\");\n aPIGatewayProxyResponseEvent0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap> hashMap0 = new HashMap>();\n hashMap0.put(\"multiValueHeaders: \", (List) null);\n aPIGatewayProxyResponseEvent0.withMultiValueHeaders(hashMap0);\n aPIGatewayProxyResponseEvent0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap hashMap0 = new HashMap();\n aPIGatewayProxyResponseEvent0.withHeaders(hashMap0);\n hashMap0.put((String) null, \" _)*shX1@B\u007f\");\n aPIGatewayProxyResponseEvent0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = Integer.valueOf(0);\n aPIGatewayProxyResponseEvent0.withStatusCode(integer0);\n Integer integer1 = aPIGatewayProxyResponseEvent0.getStatusCode();\n assertEquals(0, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = new Integer(31);\n aPIGatewayProxyResponseEvent0.withStatusCode(integer0);\n Integer integer1 = aPIGatewayProxyResponseEvent0.getStatusCode();\n assertEquals(31, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = new Integer((-1));\n aPIGatewayProxyResponseEvent0.setStatusCode(integer0);\n Integer integer1 = aPIGatewayProxyResponseEvent0.getStatusCode();\n assertEquals((-1), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap> hashMap0 = new HashMap>();\n aPIGatewayProxyResponseEvent0.withMultiValueHeaders(hashMap0);\n Map> map0 = aPIGatewayProxyResponseEvent0.getMultiValueHeaders();\n assertEquals(0, map0.size());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap> hashMap0 = new HashMap>();\n LinkedList linkedList0 = new LinkedList();\n hashMap0.put(\"eu1YCpi!q-2?l&\", linkedList0);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.withMultiValueHeaders(hashMap0);\n Map> map0 = aPIGatewayProxyResponseEvent1.getMultiValueHeaders();\n assertEquals(1, map0.size());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Boolean boolean0 = Boolean.valueOf(true);\n aPIGatewayProxyResponseEvent0.setIsBase64Encoded(boolean0);\n Boolean boolean1 = aPIGatewayProxyResponseEvent0.getIsBase64Encoded();\n assertTrue(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap hashMap0 = new HashMap();\n aPIGatewayProxyResponseEvent0.withHeaders(hashMap0);\n Map map0 = aPIGatewayProxyResponseEvent0.getHeaders();\n assertEquals(0, map0.size());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap hashMap0 = new HashMap();\n hashMap0.put(\"\", \"\");\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.withHeaders(hashMap0);\n Map map0 = aPIGatewayProxyResponseEvent1.getHeaders();\n assertEquals(1, map0.size());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n aPIGatewayProxyResponseEvent0.setBody(\"{statusCode: -52661,headers: java.util.HashMap@0000000002,}\");\n String string0 = aPIGatewayProxyResponseEvent0.getBody();\n assertNotNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n aPIGatewayProxyResponseEvent0.withBody(\"\");\n String string0 = aPIGatewayProxyResponseEvent0.getBody();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n aPIGatewayProxyResponseEvent0.setMultiValueHeaders((Map>) null);\n assertNull(aPIGatewayProxyResponseEvent0.getBody());\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n String string0 = aPIGatewayProxyResponseEvent0.getBody();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Boolean boolean0 = Boolean.FALSE;\n aPIGatewayProxyResponseEvent0.setIsBase64Encoded(boolean0);\n Boolean boolean1 = aPIGatewayProxyResponseEvent0.getIsBase64Encoded();\n assertFalse(boolean1);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Map> map0 = aPIGatewayProxyResponseEvent0.getMultiValueHeaders();\n assertNull(map0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Map map0 = aPIGatewayProxyResponseEvent0.getHeaders();\n assertNull(map0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = aPIGatewayProxyResponseEvent0.getStatusCode();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = new Integer(136489);\n aPIGatewayProxyResponseEvent0.withStatusCode(integer0);\n aPIGatewayProxyResponseEvent0.hashCode();\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.clone();\n assertTrue(aPIGatewayProxyResponseEvent1.equals((Object)aPIGatewayProxyResponseEvent0));\n \n aPIGatewayProxyResponseEvent0.setBody(\"jS^V@e1\");\n boolean boolean0 = aPIGatewayProxyResponseEvent0.equals(aPIGatewayProxyResponseEvent1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.clone();\n HashMap> hashMap0 = new HashMap>();\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent2 = aPIGatewayProxyResponseEvent1.withMultiValueHeaders(hashMap0);\n assertFalse(aPIGatewayProxyResponseEvent2.equals((Object)aPIGatewayProxyResponseEvent0));\n \n aPIGatewayProxyResponseEvent0.withMultiValueHeaders(hashMap0);\n boolean boolean0 = aPIGatewayProxyResponseEvent0.equals(aPIGatewayProxyResponseEvent1);\n assertTrue(aPIGatewayProxyResponseEvent1.equals((Object)aPIGatewayProxyResponseEvent0));\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.clone();\n assertTrue(aPIGatewayProxyResponseEvent1.equals((Object)aPIGatewayProxyResponseEvent0));\n \n HashMap> hashMap0 = new HashMap>();\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent2 = aPIGatewayProxyResponseEvent0.withMultiValueHeaders(hashMap0);\n boolean boolean0 = aPIGatewayProxyResponseEvent2.equals(aPIGatewayProxyResponseEvent1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap hashMap0 = new HashMap();\n aPIGatewayProxyResponseEvent0.setHeaders(hashMap0);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = new APIGatewayProxyResponseEvent();\n boolean boolean0 = aPIGatewayProxyResponseEvent0.equals(aPIGatewayProxyResponseEvent1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap hashMap0 = new HashMap();\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.withHeaders(hashMap0);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent2 = aPIGatewayProxyResponseEvent1.clone();\n boolean boolean0 = aPIGatewayProxyResponseEvent2.equals(aPIGatewayProxyResponseEvent0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = new Integer((-76811));\n aPIGatewayProxyResponseEvent0.withStatusCode(integer0);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = new APIGatewayProxyResponseEvent();\n boolean boolean0 = aPIGatewayProxyResponseEvent0.equals(aPIGatewayProxyResponseEvent1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = new Integer(136489);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.withStatusCode(integer0);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent2 = aPIGatewayProxyResponseEvent1.clone();\n boolean boolean0 = aPIGatewayProxyResponseEvent1.equals(aPIGatewayProxyResponseEvent2);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n boolean boolean0 = aPIGatewayProxyResponseEvent0.equals((Object) null);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n boolean boolean0 = aPIGatewayProxyResponseEvent0.equals(aPIGatewayProxyResponseEvent0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n LinkedList linkedList0 = new LinkedList();\n boolean boolean0 = aPIGatewayProxyResponseEvent0.equals(linkedList0);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test30() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n aPIGatewayProxyResponseEvent0.withBody(\"Got a CloneNotSupportedException from Object.clone()\");\n String string0 = aPIGatewayProxyResponseEvent0.toString();\n assertEquals(\"{body: Got a CloneNotSupportedException from Object.clone()}\", string0);\n }\n\n @Test(timeout = 4000)\n public void test31() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap hashMap0 = new HashMap();\n aPIGatewayProxyResponseEvent0.withHeaders(hashMap0);\n String string0 = aPIGatewayProxyResponseEvent0.toString();\n assertNotNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test32() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Integer integer0 = new Integer(136489);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.withStatusCode(integer0);\n String string0 = aPIGatewayProxyResponseEvent1.toString();\n assertEquals(\"{statusCode: 136489,}\", string0);\n }\n\n @Test(timeout = 4000)\n public void test33() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Boolean boolean0 = aPIGatewayProxyResponseEvent0.getIsBase64Encoded();\n assertNull(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test34() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n Boolean boolean0 = new Boolean(false);\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.withIsBase64Encoded(boolean0);\n assertFalse(aPIGatewayProxyResponseEvent1.getIsBase64Encoded());\n }\n\n @Test(timeout = 4000)\n public void test35() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n HashMap> hashMap0 = new HashMap>();\n aPIGatewayProxyResponseEvent0.withMultiValueHeaders(hashMap0);\n String string0 = aPIGatewayProxyResponseEvent0.toString();\n assertNotNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test36() throws Throwable {\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent0 = new APIGatewayProxyResponseEvent();\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent1 = aPIGatewayProxyResponseEvent0.withBody(\"\");\n APIGatewayProxyResponseEvent aPIGatewayProxyResponseEvent2 = aPIGatewayProxyResponseEvent0.clone();\n boolean boolean0 = aPIGatewayProxyResponseEvent1.equals(aPIGatewayProxyResponseEvent2);\n assertTrue(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 18:08:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class APIGatewayProxyResponseEvent_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"APIGatewayProxyResponseEvent\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpmn4hua7v\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(APIGatewayProxyResponseEvent_ESTest_scaffolding.class.getClassLoader() ,\n \"APIGatewayProxyResponseEvent\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(APIGatewayProxyResponseEvent_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"APIGatewayProxyResponseEvent\"\n );\n }\n}\n", "class_idx": 206} {"class_name": "LoadingDone", "java_source": "/*\n * To change this license header, choose License Headers in Project Properties.\n * To change this template file, choose Tools | Templates\n * and open the template in the editor.\n */\n\n/**\n * @author awhoove\n */\npublic class LoadingDone extends javax.swing.JPanel {\n\n /** Creates new form LoadingDone */\n public LoadingDone() {\n initComponents();\n }\n\n /**\n * This method is called from within the constructor to initialize the form. WARNING: Do NOT\n * modify this code. The content of this method is always regenerated by the Form Editor.\n */\n @SuppressWarnings(\"unchecked\")\n // //GEN-BEGIN:initComponents\n private void initComponents() {\n\n jLabel1 = new javax.swing.JLabel();\n jLabel2 = new javax.swing.JLabel();\n jLabel3 = new javax.swing.JLabel();\n jLabel4 = new javax.swing.JLabel();\n jLabel5 = new javax.swing.JLabel();\n jLabel6 = new javax.swing.JLabel();\n jLabel7 = new javax.swing.JLabel();\n jLabel8 = new javax.swing.JLabel();\n jButton1 = new javax.swing.JButton();\n\n jLabel1.setText(\"Load done!\");\n\n jLabel2.setText(\"Remember:\");\n\n jLabel3.setText(\"Create an alias \\\"alias create ZP @context setupvar\\\"\");\n\n jLabel4.setText(\"Also install Autohotkey.\");\n\n jLabel5.setText(\"When you run the script, the commands are:\");\n\n jLabel6.setText(\"Ctrl+F7 - Launch the Loader\");\n\n jLabel7.setText(\n \"Ctrl+F8 - Emergency Abort (This stops copy-pasting immediately)\");\n\n jLabel8.setText(\"Don't forget to delete your gamesetup files!\");\n\n jButton1.setText(\"Done\");\n jButton1.addActionListener(\n new java.awt.event.ActionListener() {\n public void actionPerformed(java.awt.event.ActionEvent evt) {\n jButton1ActionPerformed(evt);\n }\n });\n\n javax.swing.GroupLayout layout = new javax.swing.GroupLayout(this);\n this.setLayout(layout);\n layout.setHorizontalGroup(\n layout\n .createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)\n .addGroup(\n layout\n .createSequentialGroup()\n .addContainerGap()\n .addGroup(\n layout\n .createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)\n .addComponent(jLabel1)\n .addComponent(jLabel2)\n .addComponent(jLabel3)\n .addComponent(jLabel4)\n .addComponent(jLabel5)\n .addGroup(\n layout\n .createParallelGroup(\n javax.swing.GroupLayout.Alignment.TRAILING, false)\n .addGroup(\n javax.swing.GroupLayout.Alignment.LEADING,\n layout\n .createSequentialGroup()\n .addComponent(jLabel8)\n .addPreferredGap(\n javax.swing.LayoutStyle.ComponentPlacement.RELATED,\n javax.swing.GroupLayout.DEFAULT_SIZE,\n Short.MAX_VALUE)\n .addComponent(jButton1))\n .addGroup(\n javax.swing.GroupLayout.Alignment.LEADING,\n layout\n .createSequentialGroup()\n .addGap(10, 10, 10)\n .addGroup(\n layout\n .createParallelGroup(\n javax.swing.GroupLayout.Alignment.LEADING)\n .addComponent(jLabel7)\n .addComponent(jLabel6)))))\n .addContainerGap(25, Short.MAX_VALUE)));\n layout.setVerticalGroup(\n layout\n .createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)\n .addGroup(\n javax.swing.GroupLayout.Alignment.TRAILING,\n layout\n .createSequentialGroup()\n .addContainerGap()\n .addComponent(jLabel1)\n .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)\n .addComponent(jLabel2)\n .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)\n .addComponent(jLabel3)\n .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)\n .addComponent(jLabel4)\n .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)\n .addComponent(jLabel5)\n .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)\n .addComponent(jLabel6)\n .addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)\n .addComponent(jLabel7)\n .addPreferredGap(\n javax.swing.LayoutStyle.ComponentPlacement.RELATED, 114, Short.MAX_VALUE)\n .addGroup(\n layout\n .createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)\n .addComponent(jLabel8)\n .addComponent(jButton1))\n .addGap(18, 18, 18)));\n } // //GEN-END:initComponents\n\n private void jButton1ActionPerformed(\n java.awt.event.ActionEvent evt) { // GEN-FIRST:event_jButton1ActionPerformed\n System.exit(0);\n } // GEN-LAST:event_jButton1ActionPerformed\n\n // Variables declaration - do not modify//GEN-BEGIN:variables\n private javax.swing.JButton jButton1;\n private javax.swing.JLabel jLabel1;\n private javax.swing.JLabel jLabel2;\n private javax.swing.JLabel jLabel3;\n private javax.swing.JLabel jLabel4;\n private javax.swing.JLabel jLabel5;\n private javax.swing.JLabel jLabel6;\n private javax.swing.JLabel jLabel7;\n private javax.swing.JLabel jLabel8;\n // End of variables declaration//GEN-END:variables\n}\n", "jasm_code": ".version 52 0 \n.class public super LoadingDone \n.super javax/swing/JPanel \n.field private jButton1 Ljavax/swing/JButton; \n.field private jLabel1 Ljavax/swing/JLabel; \n.field private jLabel2 Ljavax/swing/JLabel; \n.field private jLabel3 Ljavax/swing/JLabel; \n.field private jLabel4 Ljavax/swing/JLabel; \n.field private jLabel5 Ljavax/swing/JLabel; \n.field private jLabel6 Ljavax/swing/JLabel; \n.field private jLabel7 Ljavax/swing/JLabel; \n.field private jLabel8 Ljavax/swing/JLabel; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method javax/swing/JPanel ()V \nL4: aload_0 \nL5: invokespecial Method LoadingDone initComponents ()V \nL8: return \nL9: \n .linenumbertable \n L0 17 \n L4 18 \n L8 19 \n .end linenumbertable \n .end code \n.end method \n\n.method private initComponents : ()V \n .code stack 10 locals 2 \nL0: aload_0 \nL1: new javax/swing/JLabel \nL4: dup \nL5: invokespecial Method javax/swing/JLabel ()V \nL8: putfield Field LoadingDone jLabel1 Ljavax/swing/JLabel; \nL11: aload_0 \nL12: new javax/swing/JLabel \nL15: dup \nL16: invokespecial Method javax/swing/JLabel ()V \nL19: putfield Field LoadingDone jLabel2 Ljavax/swing/JLabel; \nL22: aload_0 \nL23: new javax/swing/JLabel \nL26: dup \nL27: invokespecial Method javax/swing/JLabel ()V \nL30: putfield Field LoadingDone jLabel3 Ljavax/swing/JLabel; \nL33: aload_0 \nL34: new javax/swing/JLabel \nL37: dup \nL38: invokespecial Method javax/swing/JLabel ()V \nL41: putfield Field LoadingDone jLabel4 Ljavax/swing/JLabel; \nL44: aload_0 \nL45: new javax/swing/JLabel \nL48: dup \nL49: invokespecial Method javax/swing/JLabel ()V \nL52: putfield Field LoadingDone jLabel5 Ljavax/swing/JLabel; \nL55: aload_0 \nL56: new javax/swing/JLabel \nL59: dup \nL60: invokespecial Method javax/swing/JLabel ()V \nL63: putfield Field LoadingDone jLabel6 Ljavax/swing/JLabel; \nL66: aload_0 \nL67: new javax/swing/JLabel \nL70: dup \nL71: invokespecial Method javax/swing/JLabel ()V \nL74: putfield Field LoadingDone jLabel7 Ljavax/swing/JLabel; \nL77: aload_0 \nL78: new javax/swing/JLabel \nL81: dup \nL82: invokespecial Method javax/swing/JLabel ()V \nL85: putfield Field LoadingDone jLabel8 Ljavax/swing/JLabel; \nL88: aload_0 \nL89: new javax/swing/JButton \nL92: dup \nL93: invokespecial Method javax/swing/JButton ()V \nL96: putfield Field LoadingDone jButton1 Ljavax/swing/JButton; \nL99: aload_0 \nL100: getfield Field LoadingDone jLabel1 Ljavax/swing/JLabel; \nL103: ldc 'Load done!' \nL105: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL108: aload_0 \nL109: getfield Field LoadingDone jLabel2 Ljavax/swing/JLabel; \nL112: ldc 'Remember:' \nL114: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL117: aload_0 \nL118: getfield Field LoadingDone jLabel3 Ljavax/swing/JLabel; \nL121: ldc 'Create an alias \"alias create ZP @context setupvar\"' \nL123: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL126: aload_0 \nL127: getfield Field LoadingDone jLabel4 Ljavax/swing/JLabel; \nL130: ldc 'Also install Autohotkey.' \nL132: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL135: aload_0 \nL136: getfield Field LoadingDone jLabel5 Ljavax/swing/JLabel; \nL139: ldc 'When you run the script, the commands are:' \nL141: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL144: aload_0 \nL145: getfield Field LoadingDone jLabel6 Ljavax/swing/JLabel; \nL148: ldc 'Ctrl+F7 - Launch the Loader' \nL150: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL153: aload_0 \nL154: getfield Field LoadingDone jLabel7 Ljavax/swing/JLabel; \nL157: ldc 'Ctrl+F8 - Emergency Abort (This stops copy-pasting immediately)' \nL159: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL162: aload_0 \nL163: getfield Field LoadingDone jLabel8 Ljavax/swing/JLabel; \nL166: ldc \"Don't forget to delete your gamesetup files!\" \nL168: invokevirtual Method javax/swing/JLabel setText (Ljava/lang/String;)V \nL171: aload_0 \nL172: getfield Field LoadingDone jButton1 Ljavax/swing/JButton; \nL175: ldc 'Done' \nL177: invokevirtual Method javax/swing/JButton setText (Ljava/lang/String;)V \nL180: aload_0 \nL181: getfield Field LoadingDone jButton1 Ljavax/swing/JButton; \nL184: new LoadingDone$1 \nL187: dup \nL188: aload_0 \nL189: invokespecial Method LoadingDone$1 (LLoadingDone;)V \nL192: invokevirtual Method javax/swing/JButton addActionListener (Ljava/awt/event/ActionListener;)V \nL195: new javax/swing/GroupLayout \nL198: dup \nL199: aload_0 \nL200: invokespecial Method javax/swing/GroupLayout (Ljava/awt/Container;)V \nL203: astore_1 \nL204: aload_0 \nL205: aload_1 \nL206: invokevirtual Method LoadingDone setLayout (Ljava/awt/LayoutManager;)V \nL209: aload_1 \nL210: aload_1 \nL211: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; \nL214: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;)Ljavax/swing/GroupLayout$ParallelGroup; \nL217: aload_1 \nL218: invokevirtual Method javax/swing/GroupLayout createSequentialGroup ()Ljavax/swing/GroupLayout$SequentialGroup; \nL221: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addContainerGap ()Ljavax/swing/GroupLayout$SequentialGroup; \nL224: aload_1 \nL225: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; \nL228: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;)Ljavax/swing/GroupLayout$ParallelGroup; \nL231: aload_0 \nL232: getfield Field LoadingDone jLabel1 Ljavax/swing/JLabel; \nL235: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL238: aload_0 \nL239: getfield Field LoadingDone jLabel2 Ljavax/swing/JLabel; \nL242: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL245: aload_0 \nL246: getfield Field LoadingDone jLabel3 Ljavax/swing/JLabel; \nL249: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL252: aload_0 \nL253: getfield Field LoadingDone jLabel4 Ljavax/swing/JLabel; \nL256: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL259: aload_0 \nL260: getfield Field LoadingDone jLabel5 Ljavax/swing/JLabel; \nL263: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL266: aload_1 \nL267: getstatic Field javax/swing/GroupLayout$Alignment TRAILING Ljavax/swing/GroupLayout$Alignment; \nL270: iconst_0 \nL271: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;Z)Ljavax/swing/GroupLayout$ParallelGroup; \nL274: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; \nL277: aload_1 \nL278: invokevirtual Method javax/swing/GroupLayout createSequentialGroup ()Ljavax/swing/GroupLayout$SequentialGroup; \nL281: aload_0 \nL282: getfield Field LoadingDone jLabel8 Ljavax/swing/JLabel; \nL285: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL288: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL291: iconst_m1 \nL292: sipush 32767 \nL295: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;II)Ljavax/swing/GroupLayout$SequentialGroup; \nL298: aload_0 \nL299: getfield Field LoadingDone jButton1 Ljavax/swing/JButton; \nL302: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL305: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addGroup (Ljavax/swing/GroupLayout$Alignment;Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$ParallelGroup; \nL308: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; \nL311: aload_1 \nL312: invokevirtual Method javax/swing/GroupLayout createSequentialGroup ()Ljavax/swing/GroupLayout$SequentialGroup; \nL315: bipush 10 \nL317: bipush 10 \nL319: bipush 10 \nL321: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addGap (III)Ljavax/swing/GroupLayout$SequentialGroup; \nL324: aload_1 \nL325: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; \nL328: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;)Ljavax/swing/GroupLayout$ParallelGroup; \nL331: aload_0 \nL332: getfield Field LoadingDone jLabel7 Ljavax/swing/JLabel; \nL335: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL338: aload_0 \nL339: getfield Field LoadingDone jLabel6 Ljavax/swing/JLabel; \nL342: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL345: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addGroup (Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$SequentialGroup; \nL348: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addGroup (Ljavax/swing/GroupLayout$Alignment;Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$ParallelGroup; \nL351: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addGroup (Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$ParallelGroup; \nL354: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addGroup (Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$SequentialGroup; \nL357: bipush 25 \nL359: sipush 32767 \nL362: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addContainerGap (II)Ljavax/swing/GroupLayout$SequentialGroup; \nL365: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addGroup (Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$ParallelGroup; \nL368: invokevirtual Method javax/swing/GroupLayout setHorizontalGroup (Ljavax/swing/GroupLayout$Group;)V \nL371: aload_1 \nL372: aload_1 \nL373: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; \nL376: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;)Ljavax/swing/GroupLayout$ParallelGroup; \nL379: getstatic Field javax/swing/GroupLayout$Alignment TRAILING Ljavax/swing/GroupLayout$Alignment; \nL382: aload_1 \nL383: invokevirtual Method javax/swing/GroupLayout createSequentialGroup ()Ljavax/swing/GroupLayout$SequentialGroup; \nL386: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addContainerGap ()Ljavax/swing/GroupLayout$SequentialGroup; \nL389: aload_0 \nL390: getfield Field LoadingDone jLabel1 Ljavax/swing/JLabel; \nL393: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL396: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL399: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;)Ljavax/swing/GroupLayout$SequentialGroup; \nL402: aload_0 \nL403: getfield Field LoadingDone jLabel2 Ljavax/swing/JLabel; \nL406: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL409: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL412: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;)Ljavax/swing/GroupLayout$SequentialGroup; \nL415: aload_0 \nL416: getfield Field LoadingDone jLabel3 Ljavax/swing/JLabel; \nL419: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL422: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL425: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;)Ljavax/swing/GroupLayout$SequentialGroup; \nL428: aload_0 \nL429: getfield Field LoadingDone jLabel4 Ljavax/swing/JLabel; \nL432: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL435: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL438: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;)Ljavax/swing/GroupLayout$SequentialGroup; \nL441: aload_0 \nL442: getfield Field LoadingDone jLabel5 Ljavax/swing/JLabel; \nL445: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL448: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL451: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;)Ljavax/swing/GroupLayout$SequentialGroup; \nL454: aload_0 \nL455: getfield Field LoadingDone jLabel6 Ljavax/swing/JLabel; \nL458: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL461: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL464: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;)Ljavax/swing/GroupLayout$SequentialGroup; \nL467: aload_0 \nL468: getfield Field LoadingDone jLabel7 Ljavax/swing/JLabel; \nL471: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$SequentialGroup; \nL474: getstatic Field javax/swing/LayoutStyle$ComponentPlacement RELATED Ljavax/swing/LayoutStyle$ComponentPlacement; \nL477: bipush 114 \nL479: sipush 32767 \nL482: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addPreferredGap (Ljavax/swing/LayoutStyle$ComponentPlacement;II)Ljavax/swing/GroupLayout$SequentialGroup; \nL485: aload_1 \nL486: getstatic Field javax/swing/GroupLayout$Alignment BASELINE Ljavax/swing/GroupLayout$Alignment; \nL489: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;)Ljavax/swing/GroupLayout$ParallelGroup; \nL492: aload_0 \nL493: getfield Field LoadingDone jLabel8 Ljavax/swing/JLabel; \nL496: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL499: aload_0 \nL500: getfield Field LoadingDone jButton1 Ljavax/swing/JButton; \nL503: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addComponent (Ljava/awt/Component;)Ljavax/swing/GroupLayout$ParallelGroup; \nL506: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addGroup (Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$SequentialGroup; \nL509: bipush 18 \nL511: bipush 18 \nL513: bipush 18 \nL515: invokevirtual Method javax/swing/GroupLayout$SequentialGroup addGap (III)Ljavax/swing/GroupLayout$SequentialGroup; \nL518: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addGroup (Ljavax/swing/GroupLayout$Alignment;Ljavax/swing/GroupLayout$Group;)Ljavax/swing/GroupLayout$ParallelGroup; \nL521: invokevirtual Method javax/swing/GroupLayout setVerticalGroup (Ljavax/swing/GroupLayout$Group;)V \nL524: return \nL525: \n .linenumbertable \n L0 30 \n L11 31 \n L22 32 \n L33 33 \n L44 34 \n L55 35 \n L66 36 \n L77 37 \n L88 38 \n L99 40 \n L108 42 \n L117 44 \n L126 46 \n L135 48 \n L144 50 \n L153 52 \n L162 54 \n L171 56 \n L180 57 \n L195 63 \n L204 64 \n L209 65 \n L214 66 \n L218 67 \n L221 68 \n L228 69 \n L235 70 \n L242 71 \n L249 72 \n L256 73 \n L263 74 \n L271 75 \n L278 76 \n L285 77 \n L295 78 \n L302 79 \n L305 76 \n L312 80 \n L321 81 \n L328 82 \n L335 83 \n L342 84 \n L345 82 \n L348 80 \n L351 75 \n L354 69 \n L362 85 \n L365 67 \n L368 65 \n L371 87 \n L376 88 \n L383 89 \n L386 90 \n L393 91 \n L399 92 \n L406 93 \n L412 94 \n L419 95 \n L425 96 \n L432 97 \n L438 98 \n L445 99 \n L451 100 \n L458 101 \n L464 102 \n L471 103 \n L482 104 \n L489 105 \n L496 106 \n L503 107 \n L506 105 \n L515 108 \n L518 89 \n L521 87 \n L524 110 \n .end linenumbertable \n .end code \n.end method \n\n.method private jButton1ActionPerformed : (Ljava/awt/event/ActionEvent;)V \n .code stack 1 locals 2 \nL0: iconst_0 \nL1: invokestatic Method java/lang/System exit (I)V \nL4: return \nL5: \n .linenumbertable \n L0 113 \n L4 114 \n .end linenumbertable \n .end code \n.end method \n\n.method static synthetic access$000 : (LLoadingDone;Ljava/awt/event/ActionEvent;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method LoadingDone jButton1ActionPerformed (Ljava/awt/event/ActionEvent;)V \nL5: return \nL6: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'LoadingDone.java' \n.innerclasses \n LoadingDone$1 [0] [0] \n javax/swing/GroupLayout$Alignment javax/swing/GroupLayout Alignment public static final enum \n javax/swing/GroupLayout$ParallelGroup javax/swing/GroupLayout ParallelGroup public \n javax/swing/GroupLayout$SequentialGroup javax/swing/GroupLayout SequentialGroup public \n javax/swing/LayoutStyle$ComponentPlacement javax/swing/LayoutStyle ComponentPlacement public static final enum \n javax/swing/GroupLayout$Group javax/swing/GroupLayout Group public abstract \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 17:42:22 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class LoadingDone_ESTest extends LoadingDone_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LoadingDone loadingDone0 = null;\n try {\n loadingDone0 = new LoadingDone();\n fail(\"Expecting exception: NoClassDefFoundError\");\n \n } catch(NoClassDefFoundError e) {\n //\n // LoadingDone$1\n //\n verifyException(\"LoadingDone\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 17:42:22 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class LoadingDone_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"LoadingDone\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpuyc0n4jd\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LoadingDone_ESTest_scaffolding.class.getClassLoader() ,\n \"LoadingDone\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LoadingDone_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"LoadingDone\"\n );\n }\n}\n", "class_idx": 207} {"class_name": "ImageHelper", "java_source": "// Licensed to the Apache Software Foundation (ASF) under one\n// or more contributor license agreements. See the NOTICE file\n// distributed with this work for additional information\n// regarding copyright ownership. The ASF licenses this file\n// to you under the Apache License, Version 2.0 (the\n// \"License\"); you may not use this file except in compliance\n// with the License. You may obtain a copy of the License at\n//\n// http://www.apache.org/licenses/LICENSE-2.0\n//\n// Unless required by applicable law or agreed to in writing,\n// software distributed under the License is distributed on an\n// \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n// KIND, either express or implied. See the License for the\n// specific language governing permissions and limitations\n// under the License.\n\nimport java.awt.image.BufferedImage;\nimport java.io.ByteArrayOutputStream;\nimport java.io.IOException;\n\npublic class ImageHelper {\n public static byte[] jpegFromImage(BufferedImage image) throws IOException {\n ByteArrayOutputStream bos = new ByteArrayOutputStream(128000);\n javax.imageio.ImageIO.write(image, \"jpg\", bos);\n\n byte[] jpegBits = bos.toByteArray();\n bos.close();\n return jpegBits;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ImageHelper \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public static jpegFromImage : (Ljava/awt/image/BufferedImage;)[B \n .code stack 3 locals 3 \nL0: new java/io/ByteArrayOutputStream \nL3: dup \nL4: ldc 128000 \nL6: invokespecial Method java/io/ByteArrayOutputStream (I)V \nL9: astore_1 \nL10: aload_0 \nL11: ldc 'jpg' \nL13: aload_1 \nL14: invokestatic Method javax/imageio/ImageIO write (Ljava/awt/image/RenderedImage;Ljava/lang/String;Ljava/io/OutputStream;)Z \nL17: pop \nL18: aload_1 \nL19: invokevirtual Method java/io/ByteArrayOutputStream toByteArray ()[B \nL22: astore_2 \nL23: aload_1 \nL24: invokevirtual Method java/io/ByteArrayOutputStream close ()V \nL27: aload_2 \nL28: areturn \nL29: \n .linenumbertable \n L0 25 \n L10 26 \n L18 28 \n L23 29 \n L27 30 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'ImageHelper.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 15:49:52 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.awt.image.BufferedImage;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ImageHelper_ESTest extends ImageHelper_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n // Undeclared exception!\n try { \n ImageHelper.jpegFromImage((BufferedImage) null);\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // image == null!\n //\n verifyException(\"javax.imageio.ImageTypeSpecifier\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n ImageHelper imageHelper0 = new ImageHelper();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 15:49:52 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ImageHelper_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ImageHelper\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp2lyl413w\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ImageHelper_ESTest_scaffolding.class.getClassLoader() ,\n \"ImageHelper\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ImageHelper_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ImageHelper\"\n );\n }\n}\n", "class_idx": 208} {"class_name": "FileUtil", "java_source": "import java.io.File;\nimport java.util.Set;\n\npublic class FileUtil {\n\n private static final String[] OFFICE_FILE =\n new String[] {\n \".doc\", \".docx\", //$NON-NLS-1$ //$NON-NLS-2$\n \".xls\", \".xlsx\", \".ppt\", \".pptx\"\n }; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$\n private static final String[] HTML_FILE =\n new String[] {\".html\", \".htm\", \".xhtml\"}; // $NON-NLS-1$ //$NON-NLS-2$\n private static final String[] TEXT_FILE =\n new String[] {\n \".txt\", \".log\", //$NON-NLS-1$ //$NON-NLS-2$\n \".xml\"\n }; //$NON-NLS-1$\n private static final String[] PDF_FILE = new String[] {\".pdf\"}; // $NON-NLS-1$\n private static final String[] IMAGE_FILE =\n new String[] {\n \".bmp\", \".jpg\", //$NON-NLS-1$ //$NON-NLS-2$\n \".jpeg\", \".png\", \".tiff\", \".gif\", \".tif\"\n }; //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ //$NON-NLS-4$ //$NON-NLS-5$\n private static final String[] DWG_FILE = new String[] {\".dwg\"};\n public static final int FILETYPE_UNKONWN = 0;\n public static final int FILETYPE_OFFICE_FILE = 1;\n public static final int FILETYPE_HTML_FILE = 2;\n public static final int FILETYPE_PDF_FILE = 3;\n public static final int FILETYPE_IMAGE_FILE = 4;\n public static final int FILETYPE_TEXT_FILE = 5;\n public static final int FILETYPE_DWG_FILE = 6;\n\n public static int getFileType(File file) {\n return getFileType(file.getName());\n }\n\n public static int getFileType(String name) {\n String fileName = name.toLowerCase();\n int type = checkFileType(fileName, OFFICE_FILE, FILETYPE_OFFICE_FILE);\n if (type == FILETYPE_UNKONWN) {\n type = checkFileType(fileName, HTML_FILE, FILETYPE_HTML_FILE);\n } else {\n return type;\n }\n if (type == FILETYPE_UNKONWN) {\n type = checkFileType(fileName, DWG_FILE, FILETYPE_DWG_FILE);\n } else {\n return type;\n }\n if (type == FILETYPE_UNKONWN) {\n type = checkFileType(fileName, PDF_FILE, FILETYPE_PDF_FILE);\n } else {\n return type;\n }\n if (type == FILETYPE_UNKONWN) {\n type = checkFileType(fileName, IMAGE_FILE, FILETYPE_IMAGE_FILE);\n } else {\n return type;\n }\n if (type == FILETYPE_UNKONWN) {\n type = checkFileType(fileName, TEXT_FILE, FILETYPE_TEXT_FILE);\n } else {\n }\n return type;\n }\n\n private static int checkFileType(String fileName, String[] p, int result) {\n for (int i = 0; i < p.length; i++) {\n if (fileName.endsWith(p[i])) {\n return result;\n }\n }\n return FILETYPE_UNKONWN;\n }\n\n public static String checkName(String fileName, Set fileNameSet) {\n fileName = fileName.replaceAll(\"/\", \"_\"); // $NON-NLS-1$ //$NON-NLS-2$\n int i = 1;\n while (fileNameSet.contains(fileName)) {\n fileName =\n fileName.substring(0, fileName.lastIndexOf(\".\"))\n + \"(\" //$NON-NLS-1$ //$NON-NLS-2$\n + (i++)\n + \")\" //$NON-NLS-1$\n + fileName.substring(fileName.lastIndexOf(\".\")); // $NON-NLS-1$\n }\n fileNameSet.add(fileName);\n return fileName;\n }\n\n public static boolean canCreatePreview(String name) {\n if (name != null) {\n int fileType = getFileType(name);\n return FILETYPE_UNKONWN != fileType;\n }\n return false;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super FileUtil \n.super java/lang/Object \n.field private static final OFFICE_FILE [Ljava/lang/String; \n.field private static final HTML_FILE [Ljava/lang/String; \n.field private static final TEXT_FILE [Ljava/lang/String; \n.field private static final PDF_FILE [Ljava/lang/String; \n.field private static final IMAGE_FILE [Ljava/lang/String; \n.field private static final DWG_FILE [Ljava/lang/String; \n.field public static final FILETYPE_UNKONWN I = 0 \n.field public static final FILETYPE_OFFICE_FILE I = 1 \n.field public static final FILETYPE_HTML_FILE I = 2 \n.field public static final FILETYPE_PDF_FILE I = 3 \n.field public static final FILETYPE_IMAGE_FILE I = 4 \n.field public static final FILETYPE_TEXT_FILE I = 5 \n.field public static final FILETYPE_DWG_FILE I = 6 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getFileType : (Ljava/io/File;)I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method java/io/File getName ()Ljava/lang/String; \nL4: invokestatic Method FileUtil getFileType (Ljava/lang/String;)I \nL7: ireturn \nL8: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getFileType : (Ljava/lang/String;)I \n .code stack 3 locals 3 \nL0: aload_0 \nL1: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String; \nL4: astore_1 \nL5: aload_1 \nL6: getstatic Field FileUtil OFFICE_FILE [Ljava/lang/String; \nL9: iconst_1 \nL10: invokestatic Method FileUtil checkFileType (Ljava/lang/String;[Ljava/lang/String;I)I \nL13: istore_2 \nL14: iload_2 \nL15: ifne L30 \nL18: aload_1 \nL19: getstatic Field FileUtil HTML_FILE [Ljava/lang/String; \nL22: iconst_2 \nL23: invokestatic Method FileUtil checkFileType (Ljava/lang/String;[Ljava/lang/String;I)I \nL26: istore_2 \nL27: goto L32 \n\n .stack append Object java/lang/String Integer \nL30: iload_2 \nL31: ireturn \n\n .stack same \nL32: iload_2 \nL33: ifne L49 \nL36: aload_1 \nL37: getstatic Field FileUtil DWG_FILE [Ljava/lang/String; \nL40: bipush 6 \nL42: invokestatic Method FileUtil checkFileType (Ljava/lang/String;[Ljava/lang/String;I)I \nL45: istore_2 \nL46: goto L51 \n\n .stack same \nL49: iload_2 \nL50: ireturn \n\n .stack same \nL51: iload_2 \nL52: ifne L67 \nL55: aload_1 \nL56: getstatic Field FileUtil PDF_FILE [Ljava/lang/String; \nL59: iconst_3 \nL60: invokestatic Method FileUtil checkFileType (Ljava/lang/String;[Ljava/lang/String;I)I \nL63: istore_2 \nL64: goto L69 \n\n .stack same \nL67: iload_2 \nL68: ireturn \n\n .stack same \nL69: iload_2 \nL70: ifne L85 \nL73: aload_1 \nL74: getstatic Field FileUtil IMAGE_FILE [Ljava/lang/String; \nL77: iconst_4 \nL78: invokestatic Method FileUtil checkFileType (Ljava/lang/String;[Ljava/lang/String;I)I \nL81: istore_2 \nL82: goto L87 \n\n .stack same \nL85: iload_2 \nL86: ireturn \n\n .stack same \nL87: iload_2 \nL88: ifne L100 \nL91: aload_1 \nL92: getstatic Field FileUtil TEXT_FILE [Ljava/lang/String; \nL95: iconst_5 \nL96: invokestatic Method FileUtil checkFileType (Ljava/lang/String;[Ljava/lang/String;I)I \nL99: istore_2 \n\n .stack same \nL100: iload_2 \nL101: ireturn \nL102: \n .linenumbertable \n L0 31 \n L5 32 \n L14 33 \n L18 34 \n L30 36 \n L32 38 \n L36 39 \n L49 41 \n L51 43 \n L55 44 \n L67 46 \n L69 48 \n L73 49 \n L85 51 \n L87 53 \n L91 54 \n L100 57 \n .end linenumbertable \n .end code \n.end method \n\n.method private static checkFileType : (Ljava/lang/String;[Ljava/lang/String;I)I \n .code stack 3 locals 4 \nL0: iconst_0 \nL1: istore_3 \n\n .stack append Integer \nL2: iload_3 \nL3: aload_1 \nL4: arraylength \nL5: if_icmpge L26 \nL8: aload_0 \nL9: aload_1 \nL10: iload_3 \nL11: aaload \nL12: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z \nL15: ifeq L20 \nL18: iload_2 \nL19: ireturn \n\n .stack same \nL20: iinc 3 1 \nL23: goto L2 \n\n .stack chop 1 \nL26: iconst_0 \nL27: ireturn \nL28: \n .linenumbertable \n L0 61 \n L8 62 \n L18 63 \n L20 61 \n L26 66 \n .end linenumbertable \n .end code \n.end method \n\n.method public static checkName : (Ljava/lang/String;Ljava/util/Set;)Ljava/lang/String; \n .code stack 5 locals 3 \nL0: aload_0 \nL1: ldc '/' \nL3: ldc '_' \nL5: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL8: astore_0 \nL9: iconst_1 \nL10: istore_2 \n\n .stack append Integer \nL11: aload_1 \nL12: aload_0 \nL13: invokeinterface InterfaceMethod java/util/Set contains (Ljava/lang/Object;)Z 2 \nL18: ifeq L79 \nL21: new java/lang/StringBuilder \nL24: dup \nL25: invokespecial Method java/lang/StringBuilder ()V \nL28: aload_0 \nL29: iconst_0 \nL30: aload_0 \nL31: ldc '.' \nL33: invokevirtual Method java/lang/String lastIndexOf (Ljava/lang/String;)I \nL36: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL42: ldc '(' \nL44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL47: iload_2 \nL48: iinc 2 1 \nL51: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL54: ldc ')' \nL56: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL59: aload_0 \nL60: aload_0 \nL61: ldc '.' \nL63: invokevirtual Method java/lang/String lastIndexOf (Ljava/lang/String;)I \nL66: invokevirtual Method java/lang/String substring (I)Ljava/lang/String; \nL69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL75: astore_0 \nL76: goto L11 \n\n .stack same_extended \nL79: aload_1 \nL80: aload_0 \nL81: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2 \nL86: pop \nL87: aload_0 \nL88: areturn \nL89: \n .linenumbertable \n L0 70 \n L9 71 \n L11 72 \n L21 73 \n L63 75 \n L79 77 \n L87 78 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;Ljava/util/Set;)Ljava/lang/String; \n.end method \n\n.method public static canCreatePreview : (Ljava/lang/String;)Z \n .code stack 2 locals 2 \nL0: aload_0 \nL1: ifnull L20 \nL4: aload_0 \nL5: invokestatic Method FileUtil getFileType (Ljava/lang/String;)I \nL8: istore_1 \nL9: iconst_0 \nL10: iload_1 \nL11: if_icmpeq L18 \nL14: iconst_1 \nL15: goto L19 \n\n .stack append Integer \nL18: iconst_0 \n\n .stack stack_1 Integer \nL19: ireturn \n\n .stack chop 1 \nL20: iconst_0 \nL21: ireturn \nL22: \n .linenumbertable \n L0 82 \n L4 83 \n L9 84 \n L20 86 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 4 locals 0 \nL0: bipush 6 \nL2: anewarray java/lang/String \nL5: dup \nL6: iconst_0 \nL7: ldc '.doc' \nL9: aastore \nL10: dup \nL11: iconst_1 \nL12: ldc '.docx' \nL14: aastore \nL15: dup \nL16: iconst_2 \nL17: ldc '.xls' \nL19: aastore \nL20: dup \nL21: iconst_3 \nL22: ldc '.xlsx' \nL24: aastore \nL25: dup \nL26: iconst_4 \nL27: ldc '.ppt' \nL29: aastore \nL30: dup \nL31: iconst_5 \nL32: ldc '.pptx' \nL34: aastore \nL35: putstatic Field FileUtil OFFICE_FILE [Ljava/lang/String; \nL38: iconst_3 \nL39: anewarray java/lang/String \nL42: dup \nL43: iconst_0 \nL44: ldc '.html' \nL46: aastore \nL47: dup \nL48: iconst_1 \nL49: ldc '.htm' \nL51: aastore \nL52: dup \nL53: iconst_2 \nL54: ldc '.xhtml' \nL56: aastore \nL57: putstatic Field FileUtil HTML_FILE [Ljava/lang/String; \nL60: iconst_3 \nL61: anewarray java/lang/String \nL64: dup \nL65: iconst_0 \nL66: ldc '.txt' \nL68: aastore \nL69: dup \nL70: iconst_1 \nL71: ldc '.log' \nL73: aastore \nL74: dup \nL75: iconst_2 \nL76: ldc '.xml' \nL78: aastore \nL79: putstatic Field FileUtil TEXT_FILE [Ljava/lang/String; \nL82: iconst_1 \nL83: anewarray java/lang/String \nL86: dup \nL87: iconst_0 \nL88: ldc '.pdf' \nL90: aastore \nL91: putstatic Field FileUtil PDF_FILE [Ljava/lang/String; \nL94: bipush 7 \nL96: anewarray java/lang/String \nL99: dup \nL100: iconst_0 \nL101: ldc '.bmp' \nL103: aastore \nL104: dup \nL105: iconst_1 \nL106: ldc '.jpg' \nL108: aastore \nL109: dup \nL110: iconst_2 \nL111: ldc '.jpeg' \nL113: aastore \nL114: dup \nL115: iconst_3 \nL116: ldc '.png' \nL118: aastore \nL119: dup \nL120: iconst_4 \nL121: ldc '.tiff' \nL123: aastore \nL124: dup \nL125: iconst_5 \nL126: ldc '.gif' \nL128: aastore \nL129: dup \nL130: bipush 6 \nL132: ldc '.tif' \nL134: aastore \nL135: putstatic Field FileUtil IMAGE_FILE [Ljava/lang/String; \nL138: iconst_1 \nL139: anewarray java/lang/String \nL142: dup \nL143: iconst_0 \nL144: ldc '.dwg' \nL146: aastore \nL147: putstatic Field FileUtil DWG_FILE [Ljava/lang/String; \nL150: return \nL151: \n .linenumbertable \n L0 8 \n L38 10 \n L60 12 \n L82 14 \n L94 15 \n L138 17 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'FileUtil.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 02:26:01 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.io.File;\nimport java.util.LinkedHashSet;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.io.MockFile;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class FileUtil_ESTest extends FileUtil_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n LinkedHashSet linkedHashSet0 = new LinkedHashSet();\n linkedHashSet0.add(\"]s^LJ_. linkedHashSet0 = new LinkedHashSet();\n String string0 = FileUtil.checkName(\"\", linkedHashSet0);\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n int int0 = FileUtil.getFileType(\".jpg\");\n assertEquals(4, int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n int int0 = FileUtil.getFileType(\".xhtml\");\n assertEquals(2, int0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n FileUtil.getFileType(\"Ys5{Ev\");\n LinkedHashSet linkedHashSet0 = new LinkedHashSet();\n String string0 = FileUtil.checkName(\"]s^LJ_. MIME_MAP = new HashMap();\n private static final MimeMap single = new MimeMap();\n\n private MimeMap() {\n InputStream inputStream = MimeMap.class.getClassLoader().getResourceAsStream(MIME_MAP_CONFIG);\n Properties prop = new Properties();\n try {\n if (inputStream == null) throw new Exception(MIME_MAP_CONFIG + \" not found on classpath\");\n prop.load(inputStream);\n Enumeration e = prop.propertyNames();\n while (e.hasMoreElements()) {\n String key = (String) e.nextElement();\n String value = prop.getProperty(key);\n MIME_MAP.put(key, value);\n }\n } catch (Exception e) {\n e.printStackTrace();\n } finally {\n if (inputStream != null) {\n try {\n inputStream.close();\n } catch (IOException e) {\n e.printStackTrace();\n }\n }\n }\n }\n\n public static MimeMap getInstatnce() {\n return single;\n }\n\n public String getMime(String path) {\n String noMatch = \"application/octet-stream\";\n int t = path.lastIndexOf(\".\");\n if (t < 0) {\n return noMatch;\n }\n String suffix = path.substring(t + 1, path.length());\n if (suffix == null) {\n return noMatch;\n }\n if (!this.MIME_MAP.containsKey(suffix)) {\n return noMatch;\n }\n return this.MIME_MAP.get(suffix);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MimeMap \n.super java/lang/Object \n.field private static final MIME_MAP_CONFIG Ljava/lang/String; = 'mime_type.list' \n.field private MIME_MAP Ljava/util/Map; .fieldattributes \n .signature Ljava/util/Map; \n.end fieldattributes \n.field private static final single LMimeMap; \n\n.method private : ()V \n .code stack 3 locals 8 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/HashMap \nL8: dup \nL9: invokespecial Method java/util/HashMap ()V \nL12: putfield Field MimeMap MIME_MAP Ljava/util/Map; \nL15: ldc Class MimeMap \nL17: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader; \nL20: ldc 'mime_type.list' \nL22: invokevirtual Method java/lang/ClassLoader getResourceAsStream (Ljava/lang/String;)Ljava/io/InputStream; \nL25: astore_1 \nL26: new java/util/Properties \nL29: dup \nL30: invokespecial Method java/util/Properties ()V \nL33: astore_2 \nL34: aload_1 \nL35: ifnonnull L48 \nL38: new java/lang/Exception \nL41: dup \nL42: ldc 'mime_type.list not found on classpath' \nL44: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL47: athrow \n\n .stack full \n locals Object MimeMap Object java/io/InputStream Object java/util/Properties \n stack \n .end stack \nL48: aload_2 \nL49: aload_1 \nL50: invokevirtual Method java/util/Properties load (Ljava/io/InputStream;)V \nL53: aload_2 \nL54: invokevirtual Method java/util/Properties propertyNames ()Ljava/util/Enumeration; \nL57: astore_3 \n\n .stack append Object java/util/Enumeration \nL58: aload_3 \nL59: invokeinterface InterfaceMethod java/util/Enumeration hasMoreElements ()Z 1 \nL64: ifeq L103 \nL67: aload_3 \nL68: invokeinterface InterfaceMethod java/util/Enumeration nextElement ()Ljava/lang/Object; 1 \nL73: checkcast java/lang/String \nL76: astore 4 \nL78: aload_2 \nL79: aload 4 \nL81: invokevirtual Method java/util/Properties getProperty (Ljava/lang/String;)Ljava/lang/String; \nL84: astore 5 \nL86: aload_0 \nL87: getfield Field MimeMap MIME_MAP Ljava/util/Map; \nL90: aload 4 \nL92: aload 5 \nL94: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 \nL99: pop \nL100: goto L58 \n\n .stack chop 1 \nL103: aload_1 \nL104: ifnull L169 \n .catch java/io/IOException from L107 to L111 using L114 \n .catch java/lang/Exception from L34 to L103 using L122 \nL107: aload_1 \nL108: invokevirtual Method java/io/InputStream close ()V \nL111: goto L169 \n\n .stack stack_1 Object java/io/IOException \nL114: astore_3 \nL115: aload_3 \nL116: invokevirtual Method java/io/IOException printStackTrace ()V \nL119: goto L169 \n\n .stack stack_1 Object java/lang/Exception \nL122: astore_3 \nL123: aload_3 \nL124: invokevirtual Method java/lang/Exception printStackTrace ()V \nL127: aload_1 \nL128: ifnull L169 \n .catch java/io/IOException from L131 to L135 using L138 \n .catch [0] from L34 to L103 using L146 \n .catch [0] from L122 to L127 using L146 \nL131: aload_1 \nL132: invokevirtual Method java/io/InputStream close ()V \nL135: goto L169 \n\n .stack stack_1 Object java/io/IOException \nL138: astore_3 \nL139: aload_3 \nL140: invokevirtual Method java/io/IOException printStackTrace ()V \nL143: goto L169 \n\n .stack stack_1 Object java/lang/Throwable \nL146: astore 6 \nL148: aload_1 \nL149: ifnull L166 \n .catch java/io/IOException from L152 to L156 using L159 \n .catch [0] from L146 to L148 using L146 \nL152: aload_1 \nL153: invokevirtual Method java/io/InputStream close ()V \nL156: goto L166 \n\n .stack full \n locals Object MimeMap Object java/io/InputStream Object java/util/Properties Top Top Top Object java/lang/Throwable \n stack Object java/io/IOException \n .end stack \nL159: astore 7 \nL161: aload 7 \nL163: invokevirtual Method java/io/IOException printStackTrace ()V \n\n .stack same \nL166: aload 6 \nL168: athrow \n\n .stack full \n locals Object MimeMap Object java/io/InputStream Object java/util/Properties \n stack \n .end stack \nL169: return \nL170: \n .linenumbertable \n L0 17 \n L4 14 \n L15 18 \n L26 19 \n L34 21 \n L38 22 \n L48 23 \n L53 24 \n L58 25 \n L67 26 \n L78 27 \n L86 28 \n L100 29 \n L103 33 \n L107 35 \n L111 38 \n L114 36 \n L115 37 \n L119 38 \n L122 30 \n L123 31 \n L127 33 \n L131 35 \n L135 38 \n L138 36 \n L139 37 \n L143 38 \n L146 33 \n L152 35 \n L156 38 \n L159 36 \n L161 37 \n L166 40 \n L169 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getInstatnce : ()LMimeMap; \n .code stack 1 locals 0 \nL0: getstatic Field MimeMap single LMimeMap; \nL3: areturn \nL4: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMime : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 5 \nL0: ldc 'application/octet-stream' \nL2: astore_2 \nL3: aload_1 \nL4: ldc '.' \nL6: invokevirtual Method java/lang/String lastIndexOf (Ljava/lang/String;)I \nL9: istore_3 \nL10: iload_3 \nL11: ifge L16 \nL14: aload_2 \nL15: areturn \n\n .stack append Object java/lang/String Integer \nL16: aload_1 \nL17: iload_3 \nL18: iconst_1 \nL19: iadd \nL20: aload_1 \nL21: invokevirtual Method java/lang/String length ()I \nL24: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL27: astore 4 \nL29: aload 4 \nL31: ifnonnull L36 \nL34: aload_2 \nL35: areturn \n\n .stack append Object java/lang/String \nL36: aload_0 \nL37: getfield Field MimeMap MIME_MAP Ljava/util/Map; \nL40: aload 4 \nL42: invokeinterface InterfaceMethod java/util/Map containsKey (Ljava/lang/Object;)Z 2 \nL47: ifne L52 \nL50: aload_2 \nL51: areturn \n\n .stack same \nL52: aload_0 \nL53: getfield Field MimeMap MIME_MAP Ljava/util/Map; \nL56: aload 4 \nL58: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 \nL63: checkcast java/lang/String \nL66: areturn \nL67: \n .linenumbertable \n L0 48 \n L3 49 \n L10 50 \n L14 51 \n L16 53 \n L29 54 \n L34 55 \n L36 57 \n L50 58 \n L52 60 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 2 locals 0 \nL0: new MimeMap \nL3: dup \nL4: invokespecial Method MimeMap ()V \nL7: putstatic Field MimeMap single LMimeMap; \nL10: return \nL11: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MimeMap.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 09:18:58 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MimeMap_ESTest extends MimeMap_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MimeMap mimeMap0 = MimeMap.getInstatnce();\n String string0 = mimeMap0.getMime(\".\");\n assertNotNull(string0);\n \n String string1 = mimeMap0.getMime(\"application/octet-stream\");\n assertEquals(\"application/octet-stream\", string1);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MimeMap mimeMap0 = MimeMap.getInstatnce();\n String string0 = mimeMap0.getMime(\"application/octet-stream\");\n assertEquals(\"application/octet-stream\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MimeMap mimeMap0 = MimeMap.getInstatnce();\n String string0 = mimeMap0.getMime(\"mime_type.list not found on classpath\");\n assertNotNull(string0);\n assertEquals(\"application/octet-stream\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 09:18:58 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MimeMap_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MimeMap\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp9nvzcfby\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MimeMap_ESTest_scaffolding.class.getClassLoader() ,\n \"MimeMap\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MimeMap_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MimeMap\"\n );\n }\n}\n", "class_idx": 210} {"class_name": "Vertex", "java_source": "public class Vertex {\n\n private float x = 0;\n private float y = 0;\n private float z = 0;\n\n public Vertex(float x, float y, float z) {\n this.x = x;\n this.y = y;\n this.z = z;\n }\n\n public Vertex() {}\n\n public float getX() {\n return x;\n }\n\n public void setX(float x) {\n this.x = x;\n }\n\n public float getY() {\n return y;\n }\n\n public void setY(float y) {\n this.y = y;\n }\n\n public float getZ() {\n return z;\n }\n\n public void setZ(float z) {\n this.z = z;\n }\n\n @Override\n public boolean equals(Object o) {\n if (this == o) return true;\n if (o == null || getClass() != o.getClass()) return false;\n\n Vertex vertex = (Vertex) o;\n\n if (Float.compare(vertex.x, x) != 0) return false;\n if (Float.compare(vertex.y, y) != 0) return false;\n if (Float.compare(vertex.z, z) != 0) return false;\n\n return true;\n }\n\n @Override\n public int hashCode() {\n int result = (x != +0.0f ? Float.floatToIntBits(x) : 0);\n result = 31 * result + (y != +0.0f ? Float.floatToIntBits(y) : 0);\n result = 31 * result + (z != +0.0f ? Float.floatToIntBits(z) : 0);\n return result;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Vertex \n.super java/lang/Object \n.field private x F \n.field private y F \n.field private z F \n\n.method public : (FFF)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: fconst_0 \nL6: putfield Field Vertex x F \nL9: aload_0 \nL10: fconst_0 \nL11: putfield Field Vertex y F \nL14: aload_0 \nL15: fconst_0 \nL16: putfield Field Vertex z F \nL19: aload_0 \nL20: fload_1 \nL21: putfield Field Vertex x F \nL24: aload_0 \nL25: fload_2 \nL26: putfield Field Vertex y F \nL29: aload_0 \nL30: fload_3 \nL31: putfield Field Vertex z F \nL34: return \nL35: \n .linenumbertable \n L0 9 \n L4 5 \n L9 6 \n L14 7 \n L19 10 \n L24 11 \n L29 12 \n L34 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: fconst_0 \nL6: putfield Field Vertex x F \nL9: aload_0 \nL10: fconst_0 \nL11: putfield Field Vertex y F \nL14: aload_0 \nL15: fconst_0 \nL16: putfield Field Vertex z F \nL19: return \nL20: \n .linenumbertable \n L0 15 \n L4 5 \n L9 6 \n L14 7 \n L19 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public getX : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Vertex x F \nL4: freturn \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public setX : (F)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: fload_1 \nL2: putfield Field Vertex x F \nL5: return \nL6: \n .linenumbertable \n L0 22 \n L5 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getY : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Vertex y F \nL4: freturn \nL5: \n .linenumbertable \n L0 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public setY : (F)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: fload_1 \nL2: putfield Field Vertex y F \nL5: return \nL6: \n .linenumbertable \n L0 30 \n L5 31 \n .end linenumbertable \n .end code \n.end method \n\n.method public getZ : ()F \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Vertex z F \nL4: freturn \nL5: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public setZ : (F)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: fload_1 \nL2: putfield Field Vertex z F \nL5: return \nL6: \n .linenumbertable \n L0 38 \n L5 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnull L22 \nL11: aload_0 \nL12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL15: aload_1 \nL16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL19: if_acmpeq L24 \n\n .stack same \nL22: iconst_0 \nL23: ireturn \n\n .stack same \nL24: aload_1 \nL25: checkcast Vertex \nL28: astore_2 \nL29: aload_2 \nL30: getfield Field Vertex x F \nL33: aload_0 \nL34: getfield Field Vertex x F \nL37: invokestatic Method java/lang/Float compare (FF)I \nL40: ifeq L45 \nL43: iconst_0 \nL44: ireturn \n\n .stack append Object Vertex \nL45: aload_2 \nL46: getfield Field Vertex y F \nL49: aload_0 \nL50: getfield Field Vertex y F \nL53: invokestatic Method java/lang/Float compare (FF)I \nL56: ifeq L61 \nL59: iconst_0 \nL60: ireturn \n\n .stack same \nL61: aload_2 \nL62: getfield Field Vertex z F \nL65: aload_0 \nL66: getfield Field Vertex z F \nL69: invokestatic Method java/lang/Float compare (FF)I \nL72: ifeq L77 \nL75: iconst_0 \nL76: ireturn \n\n .stack same \nL77: iconst_1 \nL78: ireturn \nL79: \n .linenumbertable \n L0 43 \n L7 44 \n L24 46 \n L29 48 \n L45 49 \n L61 50 \n L77 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 3 locals 2 \nL0: aload_0 \nL1: getfield Field Vertex x F \nL4: fconst_0 \nL5: fcmpl \nL6: ifeq L19 \nL9: aload_0 \nL10: getfield Field Vertex x F \nL13: invokestatic Method java/lang/Float floatToIntBits (F)I \nL16: goto L20 \n\n .stack same \nL19: iconst_0 \n\n .stack stack_1 Integer \nL20: istore_1 \nL21: bipush 31 \nL23: iload_1 \nL24: imul \nL25: aload_0 \nL26: getfield Field Vertex y F \nL29: fconst_0 \nL30: fcmpl \nL31: ifeq L44 \nL34: aload_0 \nL35: getfield Field Vertex y F \nL38: invokestatic Method java/lang/Float floatToIntBits (F)I \nL41: goto L45 \n\n .stack full \n locals Object Vertex Integer \n stack Integer \n .end stack \nL44: iconst_0 \n\n .stack full \n locals Object Vertex Integer \n stack Integer Integer \n .end stack \nL45: iadd \nL46: istore_1 \nL47: bipush 31 \nL49: iload_1 \nL50: imul \nL51: aload_0 \nL52: getfield Field Vertex z F \nL55: fconst_0 \nL56: fcmpl \nL57: ifeq L70 \nL60: aload_0 \nL61: getfield Field Vertex z F \nL64: invokestatic Method java/lang/Float floatToIntBits (F)I \nL67: goto L71 \n\n .stack stack_1 Integer \nL70: iconst_0 \n\n .stack full \n locals Object Vertex Integer \n stack Integer Integer \n .end stack \nL71: iadd \nL72: istore_1 \nL73: iload_1 \nL74: ireturn \nL75: \n .linenumbertable \n L0 57 \n L21 58 \n L47 59 \n L73 60 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Vertex.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 14:12:11 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Vertex_ESTest extends Vertex_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setZ(30150.5F);\n vertex0.hashCode();\n assertEquals(30150.5F, vertex0.getZ(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setY(85741.7F);\n vertex0.hashCode();\n assertEquals(85741.7F, vertex0.getY(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Vertex vertex0 = new Vertex();\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n \n vertex0.setX(1.0F);\n vertex0.hashCode();\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setZ(113902.56F);\n Vertex vertex1 = new Vertex();\n boolean boolean0 = vertex1.equals(vertex0);\n assertEquals(113902.56F, vertex0.getZ(), 0.01F);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setX((-36538.63F));\n vertex0.setY((-41303.0F));\n Vertex vertex1 = new Vertex((-41303.0F), (-41303.0F), (-36538.63F));\n vertex1.setY((-28387.95F));\n vertex1.setX((-36538.63F));\n boolean boolean0 = vertex0.equals(vertex1);\n assertEquals((-36538.63F), vertex1.getX(), 0.01F);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setX((-57439.305F));\n Vertex vertex1 = new Vertex();\n boolean boolean0 = vertex0.equals(vertex1);\n assertEquals((-57439.305F), vertex0.getX(), 0.01F);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setZ(30150.5F);\n float float0 = vertex0.getZ();\n assertEquals(30150.5F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Vertex vertex0 = new Vertex();\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n \n vertex0.setZ((-1.0F));\n float float0 = vertex0.getZ();\n assertEquals((-1.0F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Vertex vertex0 = new Vertex((-1.0F), (-48716.5F), (-48716.5F));\n vertex0.setY(8671.417F);\n float float0 = vertex0.getY();\n assertEquals(8671.417F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setY((-41303.0F));\n float float0 = vertex0.getY();\n assertEquals((-41303.0F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Vertex vertex0 = new Vertex();\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n \n vertex0.setX(1.0F);\n float float0 = vertex0.getX();\n assertEquals(1.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setX((-57439.305F));\n float float0 = vertex0.getX();\n assertEquals((-57439.305F), float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setX((-36538.63F));\n vertex0.hashCode();\n assertEquals((-36538.63F), vertex0.getX(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setZ(113902.56F);\n Vertex vertex1 = new Vertex();\n boolean boolean0 = vertex0.equals(vertex1);\n assertEquals(113902.56F, vertex0.getZ(), 0.01F);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Vertex vertex0 = new Vertex();\n Vertex vertex1 = new Vertex();\n boolean boolean0 = vertex0.equals(vertex1);\n assertTrue(boolean0);\n assertEquals(0.0F, vertex1.getZ(), 0.01F);\n assertEquals(0.0F, vertex1.getY(), 0.01F);\n assertEquals(0.0F, vertex1.getX(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Vertex vertex0 = new Vertex(0.0F, 0.0F, 0.0F);\n Object object0 = new Object();\n boolean boolean0 = vertex0.equals(object0);\n assertFalse(boolean0);\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n assertEquals(0.0F, vertex0.getY(), 0.01F);\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Vertex vertex0 = new Vertex();\n boolean boolean0 = vertex0.equals((Object) null);\n assertEquals(0.0F, vertex0.getY(), 0.01F);\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Vertex vertex0 = new Vertex();\n boolean boolean0 = vertex0.equals(vertex0);\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n assertTrue(boolean0);\n assertEquals(0.0F, vertex0.getY(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Vertex vertex0 = new Vertex();\n Vertex vertex1 = new Vertex((-41303.0F), (-41303.0F), (-36538.63F));\n boolean boolean0 = vertex0.equals(vertex1);\n assertEquals(0.0F, vertex0.getY(), 0.01F);\n assertEquals((-36538.63F), vertex1.getZ(), 0.01F);\n assertEquals((-41303.0F), vertex1.getX(), 0.01F);\n assertEquals((-41303.0F), vertex1.getY(), 0.01F);\n assertFalse(boolean0);\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Vertex vertex0 = new Vertex();\n float float0 = vertex0.getZ();\n assertEquals(0.0F, vertex0.getY(), 0.01F);\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n assertEquals(0.0F, float0, 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Vertex vertex0 = new Vertex();\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n \n vertex0.setZ((-1.0F));\n vertex0.hashCode();\n assertEquals(0.0F, vertex0.getY(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setY((-41303.0F));\n vertex0.hashCode();\n assertEquals((-41303.0F), vertex0.getY(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Vertex vertex0 = new Vertex();\n float float0 = vertex0.getX();\n assertEquals(0.0F, vertex0.getY(), 0.01F);\n assertEquals(0.0F, float0, 0.01F);\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Vertex vertex0 = new Vertex();\n float float0 = vertex0.getY();\n assertEquals(0.0F, vertex0.getZ(), 0.01F);\n assertEquals(0.0F, float0, 0.01F);\n assertEquals(0.0F, vertex0.getX(), 0.01F);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Vertex vertex0 = new Vertex();\n vertex0.setX((-36538.63F));\n Vertex vertex1 = new Vertex((-41303.0F), (-41303.0F), (-36538.63F));\n vertex1.setX((-36538.63F));\n boolean boolean0 = vertex0.equals(vertex1);\n assertEquals((-36538.63F), vertex1.getX(), 0.01F);\n assertFalse(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 14:12:11 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Vertex_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Vertex\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpw4x5z2a_\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Vertex_ESTest_scaffolding.class.getClassLoader() ,\n \"Vertex\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Vertex_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Vertex\"\n );\n }\n}\n", "class_idx": 211} {"class_name": "Reply", "java_source": "/**\n * Licensed to the Apache Software Foundation (ASF) under one or more contributor license\n * agreements. See the NOTICE file distributed with this work for additional information regarding\n * copyright ownership. The ASF licenses this file to You under the Apache License, Version 2.0 (the\n * \"License\"); you may not use this file except in compliance with the License. You may obtain a\n * copy of the License at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\nimport java.io.Serializable;\n\n/**\n * @version $Revision$\n */\npublic class Reply implements Serializable {\n\n /** */\n private static final long serialVersionUID = -4961797264503263318L;\n\n private String payload;\n\n public String getPayload() {\n return payload;\n }\n\n public void setPayload(String payload) {\n this.payload = payload;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Reply \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = -4961797264503263318L \n.field private payload Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPayload : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Reply payload Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPayload : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Reply payload Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 38 \n L5 39 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Reply.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 08:38:14 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Reply_ESTest extends Reply_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Reply reply0 = new Reply();\n reply0.setPayload(\"\\\"5XGQGh}9q F(L\");\n String string0 = reply0.getPayload();\n assertEquals(\"\\\"5XGQGh}9q F(L\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Reply reply0 = new Reply();\n reply0.setPayload(\"\");\n String string0 = reply0.getPayload();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Reply reply0 = new Reply();\n String string0 = reply0.getPayload();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 08:38:14 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Reply_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Reply\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpjwjz48n5\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Reply_ESTest_scaffolding.class.getClassLoader() ,\n \"Reply\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Reply_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Reply\"\n );\n }\n}\n", "class_idx": 212} {"class_name": "BuildConfig", "java_source": "/** Automatically generated file. DO NOT MODIFY */\npublic final class BuildConfig {\n public static final boolean DEBUG = true;\n}\n", "jasm_code": ".version 52 0 \n.class public final super BuildConfig \n.super java/lang/Object \n.field public static final DEBUG Z = 1 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 4 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BuildConfig.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 17:19:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BuildConfig buildConfig0 = new BuildConfig();\n assertTrue(BuildConfig.DEBUG);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 17:19:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BuildConfig_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BuildConfig\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpjdnjpd5q\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuildConfig_ESTest_scaffolding.class.getClassLoader() ,\n \"BuildConfig\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuildConfig_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BuildConfig\"\n );\n }\n}\n", "class_idx": 213} {"class_name": "UserAlreadyExistsException", "java_source": "/** Created by juan on 30/09/15. */\npublic class UserAlreadyExistsException extends Exception {}\n", "jasm_code": ".version 52 0 \n.class public super UserAlreadyExistsException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UserAlreadyExistsException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 23:28:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UserAlreadyExistsException_ESTest extends UserAlreadyExistsException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UserAlreadyExistsException userAlreadyExistsException0 = new UserAlreadyExistsException();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 23:28:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UserAlreadyExistsException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UserAlreadyExistsException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkkobe2lt\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserAlreadyExistsException_ESTest_scaffolding.class.getClassLoader() ,\n \"UserAlreadyExistsException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserAlreadyExistsException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UserAlreadyExistsException\"\n );\n }\n}\n", "class_idx": 214} {"class_name": "Max", "java_source": "/**\n * Max value.\n *\n * @author Aleksandr Shigin\n * @version $Id$\n * @since 0.1\n */\npublic class Max {\n /**\n * Maximum of two numbers.\n *\n * @param first - first value\n * @param second - second value\n * @return maximum of two numbers\n */\n public int max(int first, int second) {\n return (first > second) ? first : second;\n }\n /**\n * Maximum of three numbers.\n *\n * @param first - first value\n * @param second - second value\n * @param third - third value\n * @return maximum of three numbers\n */\n public int max(int first, int second, int third) {\n return max(max(first, second), third);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Max \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public max : (II)I \n .code stack 2 locals 3 \nL0: iload_1 \nL1: iload_2 \nL2: if_icmple L9 \nL5: iload_1 \nL6: goto L10 \n\n .stack same \nL9: iload_2 \n\n .stack stack_1 Integer \nL10: ireturn \nL11: \n .linenumbertable \n L0 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public max : (III)I \n .code stack 4 locals 4 \nL0: aload_0 \nL1: aload_0 \nL2: iload_1 \nL3: iload_2 \nL4: invokevirtual Method Max max (II)I \nL7: iload_3 \nL8: invokevirtual Method Max max (II)I \nL11: ireturn \nL12: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Max.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 11:39:41 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Max_ESTest extends Max_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Max max0 = new Max();\n int int0 = max0.max(0, 0, 63832);\n assertEquals(63832, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Max max0 = new Max();\n int int0 = max0.max((-16207), (-16207), (-16207));\n assertEquals((-16207), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Max max0 = new Max();\n int int0 = max0.max(35581, 0);\n assertEquals(35581, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Max max0 = new Max();\n int int0 = max0.max(0, 0);\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Max max0 = new Max();\n int int0 = max0.max((-42456), (-108169));\n assertEquals((-42456), int0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Max max0 = new Max();\n int int0 = max0.max((-42456), (-108169), 0);\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 11:39:41 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Max_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Max\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpt52_sv8x\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Max_ESTest_scaffolding.class.getClassLoader() ,\n \"Max\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Max_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Max\"\n );\n }\n}\n", "class_idx": 215} {"class_name": "Cert", "java_source": "/****************************************\n *\n * DSS-Based Mini-Certificate Generation\n * Certificate Code\n *\n * @author Michael A. Soares\n * @date July 20, 2011\n *\n ****************************************/\n\n/*\n\tThis program is free software: you can redistribute it and/or modify\n\tit under the terms of the GNU General Public License as published by\n\tthe Free Software Foundation, either version 3 of the License, or\n\t(at your option) any later version.\n\n\tThis program is distributed in the hope that it will be useful,\n\tbut WITHOUT ANY WARRANTY; without even the implied warranty of\n\tMERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n\tGNU General Public License for more details.\n\n\tYou should have received a copy of the GNU General Public License\n\talong with this program. If not, see .\n*/\n\nimport java.math.BigInteger;\n\npublic class Cert {\n // for debugging\n private static final boolean DEBUG = false;\n private static String m;\n private static BigInteger r;\n private static BigInteger s;\n\n // constructor\n public Cert(String message, BigInteger rVal, BigInteger sVal) {\n m = message;\n r = rVal;\n s = sVal;\n }\n\n /// just some getters and setters ///\n\n public static String getM() {\n return m;\n }\n\n public static BigInteger getR() {\n return r;\n }\n\n public static BigInteger getS() {\n return s;\n }\n\n public static void setM(String message) {\n m = message;\n }\n\n public static void setR(BigInteger rVal) {\n r = rVal;\n }\n\n public static void setM(BigInteger sVal) {\n s = sVal;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Cert \n.super java/lang/Object \n.field private static final DEBUG Z = 0 \n.field private static m Ljava/lang/String; \n.field private static r Ljava/math/BigInteger; \n.field private static s Ljava/math/BigInteger; \n\n.method public : (Ljava/lang/String;Ljava/math/BigInteger;Ljava/math/BigInteger;)V \n .code stack 1 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_1 \nL5: putstatic Field Cert m Ljava/lang/String; \nL8: aload_2 \nL9: putstatic Field Cert r Ljava/math/BigInteger; \nL12: aload_3 \nL13: putstatic Field Cert s Ljava/math/BigInteger; \nL16: return \nL17: \n .linenumbertable \n L0 36 \n L4 37 \n L8 38 \n L12 39 \n L16 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getM : ()Ljava/lang/String; \n .code stack 1 locals 0 \nL0: getstatic Field Cert m Ljava/lang/String; \nL3: areturn \nL4: \n .linenumbertable \n L0 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getR : ()Ljava/math/BigInteger; \n .code stack 1 locals 0 \nL0: getstatic Field Cert r Ljava/math/BigInteger; \nL3: areturn \nL4: \n .linenumbertable \n L0 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public static getS : ()Ljava/math/BigInteger; \n .code stack 1 locals 0 \nL0: getstatic Field Cert s Ljava/math/BigInteger; \nL3: areturn \nL4: \n .linenumbertable \n L0 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public static setM : (Ljava/lang/String;)V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: putstatic Field Cert m Ljava/lang/String; \nL4: return \nL5: \n .linenumbertable \n L0 57 \n L4 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public static setR : (Ljava/math/BigInteger;)V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: putstatic Field Cert r Ljava/math/BigInteger; \nL4: return \nL5: \n .linenumbertable \n L0 61 \n L4 62 \n .end linenumbertable \n .end code \n.end method \n\n.method public static setM : (Ljava/math/BigInteger;)V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: putstatic Field Cert s Ljava/math/BigInteger; \nL4: return \nL5: \n .linenumbertable \n L0 65 \n L4 66 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Cert.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 14:05:46 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.math.BigInteger;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Cert_ESTest extends Cert_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n BigInteger bigInteger0 = BigInteger.ZERO;\n Cert cert0 = new Cert((String) null, (BigInteger) null, bigInteger0);\n BigInteger bigInteger1 = Cert.getS();\n assertEquals((byte)0, bigInteger1.byteValue());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n BigInteger bigInteger0 = BigInteger.ONE;\n Cert cert0 = new Cert(\"\", bigInteger0, bigInteger0);\n BigInteger bigInteger1 = Cert.getS();\n assertEquals((byte)1, bigInteger1.byteValue());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n BigInteger bigInteger0 = BigInteger.TEN;\n BigInteger bigInteger1 = bigInteger0.not();\n Cert.setM(bigInteger1);\n BigInteger bigInteger2 = Cert.getS();\n assertSame(bigInteger2, bigInteger1);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n byte[] byteArray0 = new byte[1];\n BigInteger bigInteger0 = new BigInteger(byteArray0);\n Cert.setR(bigInteger0);\n BigInteger bigInteger1 = Cert.getR();\n assertSame(bigInteger1, bigInteger0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n BigInteger bigInteger0 = BigInteger.ONE;\n Cert cert0 = new Cert(\"\", bigInteger0, bigInteger0);\n BigInteger bigInteger1 = Cert.getR();\n assertSame(bigInteger1, bigInteger0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n BigInteger bigInteger0 = BigInteger.ZERO;\n Cert cert0 = new Cert(\"}b\", bigInteger0, bigInteger0);\n String string0 = Cert.getM();\n assertEquals(\"}b\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n BigInteger bigInteger0 = BigInteger.ONE;\n Cert cert0 = new Cert(\"\", bigInteger0, bigInteger0);\n String string0 = Cert.getM();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n BigInteger bigInteger0 = Cert.getR();\n assertNull(bigInteger0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n BigInteger bigInteger0 = Cert.getS();\n assertNull(bigInteger0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n String string0 = Cert.getM();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Cert.setM(\"\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 14:05:46 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Cert_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Cert\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyiadwaf0\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Cert_ESTest_scaffolding.class.getClassLoader() ,\n \"Cert\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Cert_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Cert\"\n );\n }\n}\n", "class_idx": 216} {"class_name": "Node", "java_source": "public class Node {\n\n Node left;\n Node right;\n\n int data;\n\n public Node(int dado) {\n left = right = null;\n this.data = dado;\n }\n\n public void insert(int value) {\n if (value < data) {\n\n if (left == null) {\n left = new Node(value);\n } else {\n left.insert(value);\n }\n } else if (value > data) {\n if (right == null) {\n right = new Node(value);\n } else {\n right.insert(value);\n }\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Node \n.super java/lang/Object \n.field left LNode; \n.field right LNode; \n.field data I \n\n.method public : (I)V \n .code stack 4 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_0 \nL6: aconst_null \nL7: dup_x1 \nL8: putfield Field Node right LNode; \nL11: putfield Field Node left LNode; \nL14: aload_0 \nL15: iload_1 \nL16: putfield Field Node data I \nL19: return \nL20: \n .linenumbertable \n L0 10 \n L4 11 \n L14 12 \n L19 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public insert : (I)V \n .code stack 4 locals 2 \nL0: iload_1 \nL1: aload_0 \nL2: getfield Field Node data I \nL5: if_icmpge L41 \nL8: aload_0 \nL9: getfield Field Node left LNode; \nL12: ifnonnull L30 \nL15: aload_0 \nL16: new Node \nL19: dup \nL20: iload_1 \nL21: invokespecial Method Node (I)V \nL24: putfield Field Node left LNode; \nL27: goto L79 \n\n .stack same \nL30: aload_0 \nL31: getfield Field Node left LNode; \nL34: iload_1 \nL35: invokevirtual Method Node insert (I)V \nL38: goto L79 \n\n .stack same \nL41: iload_1 \nL42: aload_0 \nL43: getfield Field Node data I \nL46: if_icmple L79 \nL49: aload_0 \nL50: getfield Field Node right LNode; \nL53: ifnonnull L71 \nL56: aload_0 \nL57: new Node \nL60: dup \nL61: iload_1 \nL62: invokespecial Method Node (I)V \nL65: putfield Field Node right LNode; \nL68: goto L79 \n\n .stack same \nL71: aload_0 \nL72: getfield Field Node right LNode; \nL75: iload_1 \nL76: invokevirtual Method Node insert (I)V \n\n .stack same \nL79: return \nL80: \n .linenumbertable \n L0 16 \n L8 19 \n L15 20 \n L30 22 \n L41 24 \n L49 25 \n L56 26 \n L71 28 \n L79 31 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Node.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 16:14:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Node_ESTest extends Node_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Node node0 = new Node((-23553));\n node0.left = node0;\n node0.left.insert(0);\n node0.insert(0);\n node0.insert(34717);\n node0.insert(16686);\n node0.left.insert(32469);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Node node0 = new Node((-23553));\n node0.insert((-23553));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Node node0 = new Node((-1));\n node0.data = 19142;\n node0.insert(0);\n node0.insert(0);\n node0.insert(0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 16:14:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Node_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Node\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1q6ybfn5\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Node_ESTest_scaffolding.class.getClassLoader() ,\n \"Node\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Node_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Node\"\n );\n }\n}\n", "class_idx": 217} {"class_name": "Production6234", "java_source": "public class Production6234 {\n\n private String property0;\n\n public String getProperty0() {\n return property0;\n }\n\n public void setProperty0(String value) {\n property0 = value;\n }\n\n private String property1;\n\n public String getProperty1() {\n return property1;\n }\n\n public void setProperty1(String value) {\n property1 = value;\n }\n\n private String property2;\n\n public String getProperty2() {\n return property2;\n }\n\n public void setProperty2(String value) {\n property2 = value;\n }\n\n private String property3;\n\n public String getProperty3() {\n return property3;\n }\n\n public void setProperty3(String value) {\n property3 = value;\n }\n\n private String property4;\n\n public String getProperty4() {\n return property4;\n }\n\n public void setProperty4(String value) {\n property4 = value;\n }\n\n private String property5;\n\n public String getProperty5() {\n return property5;\n }\n\n public void setProperty5(String value) {\n property5 = value;\n }\n\n private String property6;\n\n public String getProperty6() {\n return property6;\n }\n\n public void setProperty6(String value) {\n property6 = value;\n }\n\n private String property7;\n\n public String getProperty7() {\n return property7;\n }\n\n public void setProperty7(String value) {\n property7 = value;\n }\n\n private String property8;\n\n public String getProperty8() {\n return property8;\n }\n\n public void setProperty8(String value) {\n property8 = value;\n }\n\n private String property9;\n\n public String getProperty9() {\n return property9;\n }\n\n public void setProperty9(String value) {\n property9 = value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Production6234 \n.super java/lang/Object \n.field private property0 Ljava/lang/String; \n.field private property1 Ljava/lang/String; \n.field private property2 Ljava/lang/String; \n.field private property3 Ljava/lang/String; \n.field private property4 Ljava/lang/String; \n.field private property5 Ljava/lang/String; \n.field private property6 Ljava/lang/String; \n.field private property7 Ljava/lang/String; \n.field private property8 Ljava/lang/String; \n.field private property9 Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty0 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property0 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty0 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property0 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 12 \n L5 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty1 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property1 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty1 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property1 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 22 \n L5 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty2 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property2 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty2 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property2 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 32 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty3 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property3 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty3 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property3 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 42 \n L5 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty4 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property4 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty4 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property4 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 52 \n L5 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty5 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property5 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 58 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty5 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property5 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 62 \n L5 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty6 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property6 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty6 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property6 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty7 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property7 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 78 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty7 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property7 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 82 \n L5 83 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty8 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property8 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 88 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty8 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property8 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 92 \n L5 93 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProperty9 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Production6234 property9 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 98 \n .end linenumbertable \n .end code \n.end method \n\n.method public setProperty9 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Production6234 property9 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 102 \n L5 103 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Production6234.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 21:40:50 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Production6234_ESTest extends Production6234_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty9(\"cpoXfHE=fAR!pc1|\");\n String string0 = production6234_0.getProperty9();\n assertEquals(\"cpoXfHE=fAR!pc1|\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty8(\"\");\n String string0 = production6234_0.getProperty8();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty7(\"%NHW$)wd\");\n String string0 = production6234_0.getProperty7();\n assertEquals(\"%NHW$)wd\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty6(\"Production6234\");\n String string0 = production6234_0.getProperty6();\n assertEquals(\"Production6234\", string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty5(\"\");\n String string0 = production6234_0.getProperty5();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty4(\"\");\n String string0 = production6234_0.getProperty4();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty3(\"k%.(5_xq|F+-2x(\");\n String string0 = production6234_0.getProperty3();\n assertEquals(\"k%.(5_xq|F+-2x(\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty2(\"\");\n String string0 = production6234_0.getProperty2();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty1(\"\");\n String string0 = production6234_0.getProperty1();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty0(\"\");\n String string0 = production6234_0.getProperty0();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty1(\"k%.(5_xq|F+-2x(\");\n String string0 = production6234_0.getProperty1();\n assertEquals(\"k%.(5_xq|F+-2x(\", string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty1();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty8(\"Xbj_E(nU}PF*6_nF(\");\n String string0 = production6234_0.getProperty8();\n assertEquals(\"Xbj_E(nU}PF*6_nF(\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty6();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty2();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty8();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty5();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty0();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty3(\"\");\n String string0 = production6234_0.getProperty3();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty2(\"k%.(5_xq|F+-2x(\");\n String string0 = production6234_0.getProperty2();\n assertEquals(\"k%.(5_xq|F+-2x(\", string0);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty7(\"\");\n String string0 = production6234_0.getProperty7();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty9();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty4(\"}Y\u007fnMG(\u007fP%dB\");\n String string0 = production6234_0.getProperty4();\n assertEquals(\"}Y\u007fnMG(\u007fP%dB\", string0);\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty4();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty6(\"\");\n String string0 = production6234_0.getProperty6();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty9(\"\");\n String string0 = production6234_0.getProperty9();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty5(\"nZJeqNaB{ql\\\"B}: \");\n String string0 = production6234_0.getProperty5();\n assertEquals(\"nZJeqNaB{ql\\\"B}: \", string0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n production6234_0.setProperty0(\"`;oM%8.%(pwC&Mh,rty\");\n String string0 = production6234_0.getProperty0();\n assertEquals(\"`;oM%8.%(pwC&Mh,rty\", string0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty7();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n Production6234 production6234_0 = new Production6234();\n String string0 = production6234_0.getProperty3();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 21:40:50 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Production6234_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Production6234\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpdx7o4idr\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production6234_ESTest_scaffolding.class.getClassLoader() ,\n \"Production6234\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production6234_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Production6234\"\n );\n }\n}\n", "class_idx": 218} {"class_name": "ClientInfo", "java_source": "import java.net.Socket;\n\n/**\n * Encapsulation of the data received from the client at the time of establishing TCP connection.\n *\n *

The data contains :\n *\n *

    \n *
  • Public key of the client\n *
  • Canonical hostname of the client\n *
  • Client Socket\n *
\n *\n * @see java.net.Socket\n * @see project.pc.net.ServerThread\n */\npublic class ClientInfo {\n private String mClientInfo;\n private byte[] mPublicKey;\n private Socket mClientSocket;\n\n /**\n * Constructor.\n *\n *

Initializes this ClientInfo object. The stored object of {@link\n * java.net.Socket} (client Socket) is not initialized. It can be set by the {@link\n * #setSocket(Socket)} method.\n *\n * @param clientInfo canonical hostname of the client.\n * @param publicKey public key of the client.\n * @see java.net.Socket\n * @see #setSocket(Socket)\n */\n public ClientInfo(String clientInfo, byte[] publicKey) {\n mClientInfo = clientInfo;\n mPublicKey = publicKey;\n }\n\n /**\n * Adds {@link java.net.Socket} of the client.\n *\n * @param socket the client {@link java.net.Socket} object to be stored.\n */\n public void setSocket(Socket socket) {\n mClientSocket = socket;\n }\n\n /**\n * Returns the client Socket.\n *\n * @return the client {@link java.net.Socket}.\n */\n public Socket getSocket() {\n return mClientSocket;\n }\n\n /**\n * Returns the canonical hostname of the client.\n *\n * @return canonical hostname of the client\n */\n public String getClientInfo() {\n return mClientInfo;\n }\n\n /**\n * Returns the public key of the client.\n *\n * @return public key of the client.\n */\n public byte[] getPublicKey() {\n return mPublicKey;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ClientInfo \n.super java/lang/Object \n.field private mClientInfo Ljava/lang/String; \n.field private mPublicKey [B \n.field private mClientSocket Ljava/net/Socket; \n\n.method public : (Ljava/lang/String;[B)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field ClientInfo mClientInfo Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field ClientInfo mPublicKey [B \nL14: return \nL15: \n .linenumbertable \n L0 42 \n L4 43 \n L9 44 \n L14 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSocket : (Ljava/net/Socket;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field ClientInfo mClientSocket Ljava/net/Socket; \nL5: return \nL6: \n .linenumbertable \n L0 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSocket : ()Ljava/net/Socket; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ClientInfo mClientSocket Ljava/net/Socket; \nL4: areturn \nL5: \n .linenumbertable \n L0 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public getClientInfo : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ClientInfo mClientInfo Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 67 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPublicKey : ()[B \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ClientInfo mPublicKey [B \nL4: areturn \nL5: \n .linenumbertable \n L0 74 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ClientInfo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 19:22:11 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.net.InetAddress;\nimport java.net.Socket;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.net.MockInetAddress;\nimport org.evosuite.runtime.mock.java.net.MockSocket;\nimport org.evosuite.runtime.testdata.EvoSuiteRemoteAddress;\nimport org.evosuite.runtime.testdata.NetworkHandling;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ClientInfo_ESTest extends ClientInfo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n byte[] byteArray0 = new byte[4];\n ClientInfo clientInfo0 = new ClientInfo(\"8&\", byteArray0);\n MockSocket mockSocket0 = new MockSocket();\n mockSocket0.close();\n clientInfo0.setSocket(mockSocket0);\n Socket socket0 = clientInfo0.getSocket();\n assertFalse(socket0.isConnected());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n byte[] byteArray0 = new byte[5];\n ClientInfo clientInfo0 = new ClientInfo(\";\", byteArray0);\n InetAddress inetAddress0 = MockInetAddress.anyLocalAddress();\n EvoSuiteRemoteAddress evoSuiteRemoteAddress0 = new EvoSuiteRemoteAddress(\"192.168.1.42\", 52667);\n NetworkHandling.openRemoteTcpServer(evoSuiteRemoteAddress0);\n MockSocket mockSocket0 = new MockSocket(inetAddress0, 52667);\n clientInfo0.setSocket(mockSocket0);\n Socket socket0 = clientInfo0.getSocket();\n assertFalse(socket0.isClosed());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n ClientInfo clientInfo0 = new ClientInfo(\"\", (byte[]) null);\n byte[] byteArray0 = clientInfo0.getPublicKey();\n assertNull(byteArray0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n byte[] byteArray0 = new byte[0];\n ClientInfo clientInfo0 = new ClientInfo(\"\", byteArray0);\n byte[] byteArray1 = clientInfo0.getPublicKey();\n assertEquals(0, byteArray1.length);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n ClientInfo clientInfo0 = new ClientInfo((String) null, (byte[]) null);\n String string0 = clientInfo0.getClientInfo();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n ClientInfo clientInfo0 = new ClientInfo(\"\", (byte[]) null);\n String string0 = clientInfo0.getClientInfo();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n byte[] byteArray0 = new byte[35];\n ClientInfo clientInfo0 = new ClientInfo(\"[A opV\", byteArray0);\n byte[] byteArray1 = clientInfo0.getPublicKey();\n assertEquals(35, byteArray1.length);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n byte[] byteArray0 = new byte[35];\n ClientInfo clientInfo0 = new ClientInfo(\"[A opV\", byteArray0);\n Socket socket0 = clientInfo0.getSocket();\n assertNull(socket0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n byte[] byteArray0 = new byte[35];\n ClientInfo clientInfo0 = new ClientInfo(\"[A opV\", byteArray0);\n String string0 = clientInfo0.getClientInfo();\n assertEquals(\"[A opV\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 19:22:11 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ClientInfo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ClientInfo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp598_ul23\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ClientInfo_ESTest_scaffolding.class.getClassLoader() ,\n \"ClientInfo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ClientInfo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ClientInfo\"\n );\n }\n}\n", "class_idx": 219} {"class_name": "Counter", "java_source": "/*\n * JBoss, Home of Professional Open Source\n * Copyright 2010, Red Hat, Inc. and/or its affiliates, and individual\n * contributors by the @authors tag. See the copyright.txt in the\n * distribution for a full listing of individual contributors.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n * http://www.apache.org/licenses/LICENSE-2.0\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * @author Marius Bogoevici\n */\npublic class Counter {\n static int count;\n\n public static int next() {\n return ++count;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Counter \n.super java/lang/Object \n.field static count I \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public static next : ()I \n .code stack 2 locals 0 \nL0: getstatic Field Counter count I \nL3: iconst_1 \nL4: iadd \nL5: dup \nL6: putstatic Field Counter count I \nL9: ireturn \nL10: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Counter.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:20:57 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Counter_ESTest extends Counter_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Counter.count = (-1);\n int int0 = Counter.next();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Counter.count = (-33006);\n int int0 = Counter.next();\n assertEquals((-33005), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n int int0 = Counter.next();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Counter counter0 = new Counter();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:20:57 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Counter_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Counter\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpbrcu11bt\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Counter_ESTest_scaffolding.class.getClassLoader() ,\n \"Counter\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Counter_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Counter\"\n );\n }\n}\n", "class_idx": 220} {"class_name": "DetermineReadFile", "java_source": "/**\n * Determine if a file can be read This Java example shows how to determine if a particular file has\n * a read permission using canRead method of Java File class.\n *\n * @author Keeyana Jones \n */\nimport java.io.*;\n\npublic class DetermineReadFile {\n\n public static void main(String[] args) {\n // create file path\n String filePath = \"C:/FileIO/ReadText.txt\";\n // create File object\n File file = new File(filePath);\n /**\n * To determine whether a particular file can be read use, boolean canRead() method of Java File\n * class.\n *\n *

This method returns true IF AND ONLY IF the file exists and it can be read (file has a\n * read permission).\n */\n if (file.canRead()) {\n System.out.println(\"File \" + file.getPath() + \" can be read\");\n } else {\n System.out.println(\"File \" + file.getPath() + \" can not be read\");\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DetermineReadFile \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 3 \nL0: ldc 'C:/FileIO/ReadText.txt' \nL2: astore_1 \nL3: new java/io/File \nL6: dup \nL7: aload_1 \nL8: invokespecial Method java/io/File (Ljava/lang/String;)V \nL11: astore_2 \nL12: aload_2 \nL13: invokevirtual Method java/io/File canRead ()Z \nL16: ifeq L55 \nL19: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL22: new java/lang/StringBuilder \nL25: dup \nL26: invokespecial Method java/lang/StringBuilder ()V \nL29: ldc 'File ' \nL31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL34: aload_2 \nL35: invokevirtual Method java/io/File getPath ()Ljava/lang/String; \nL38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL41: ldc ' can be read' \nL43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL46: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL49: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL52: goto L88 \n\n .stack append Object java/lang/String Object java/io/File \nL55: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL58: new java/lang/StringBuilder \nL61: dup \nL62: invokespecial Method java/lang/StringBuilder ()V \nL65: ldc 'File ' \nL67: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL70: aload_2 \nL71: invokevirtual Method java/io/File getPath ()Ljava/lang/String; \nL74: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL77: ldc ' can not be read' \nL79: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL82: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL85: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \n\n .stack same \nL88: return \nL89: \n .linenumbertable \n L0 17 \n L3 19 \n L12 27 \n L19 28 \n L55 30 \n L88 32 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DetermineReadFile.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 06:36:15 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.testdata.EvoSuiteFile;\nimport org.evosuite.runtime.testdata.FileSystemHandling;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DetermineReadFile_ESTest extends DetermineReadFile_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[8];\n EvoSuiteFile evoSuiteFile0 = new EvoSuiteFile(\"C:/FileIO/ReadText.txt\");\n FileSystemHandling.appendLineToFile(evoSuiteFile0, \"\");\n DetermineReadFile.main(stringArray0);\n assertEquals(8, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n DetermineReadFile.main((String[]) null);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n DetermineReadFile determineReadFile0 = new DetermineReadFile();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 06:36:15 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DetermineReadFile_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DetermineReadFile\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpu74co2fa\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DetermineReadFile_ESTest_scaffolding.class.getClassLoader() ,\n \"DetermineReadFile\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DetermineReadFile_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DetermineReadFile\"\n );\n }\n}\n", "class_idx": 221} {"class_name": "UserAleadyExistException", "java_source": "public class UserAleadyExistException extends Exception {\n public UserAleadyExistException(String userNo) {\n super(new StringBuilder(\"User \").append(userNo).append(\" Aleady exists.\").toString());\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UserAleadyExistException \n.super java/lang/Exception \n\n.method public : (Ljava/lang/String;)V \n .code stack 4 locals 2 \nL0: aload_0 \nL1: new java/lang/StringBuilder \nL4: dup \nL5: ldc 'User ' \nL7: invokespecial Method java/lang/StringBuilder (Ljava/lang/String;)V \nL10: aload_1 \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: ldc ' Aleady exists.' \nL16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL19: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL22: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL25: return \nL26: \n .linenumbertable \n L0 5 \n L16 6 \n L22 5 \n L25 7 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UserAleadyExistException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 20:36:44 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UserAleadyExistException_ESTest extends UserAleadyExistException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UserAleadyExistException userAleadyExistException0 = new UserAleadyExistException(\"fVMvkfW@/Lr/)\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 20:36:44 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UserAleadyExistException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UserAleadyExistException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmph4jibs4l\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserAleadyExistException_ESTest_scaffolding.class.getClassLoader() ,\n \"UserAleadyExistException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserAleadyExistException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UserAleadyExistException\"\n );\n }\n}\n", "class_idx": 222} {"class_name": "TimeUtils", "java_source": "/*\n * Copyright (c) 2016. Universidad Politecnica de Madrid\n *\n * @author Badenes Olmedo, Carlos \n *\n */\n\nimport java.text.SimpleDateFormat;\nimport java.util.Date;\n\n/** Created by cbadenes on 04/01/16. */\npublic class TimeUtils {\n\n private static final SimpleDateFormat df;\n\n static {\n df = new SimpleDateFormat(\"yyyy-MM-dd'T'HH:mmZ\");\n }\n\n public static String asISO() {\n return df.format(new Date());\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super TimeUtils \n.super java/lang/Object \n.field private static final df Ljava/text/SimpleDateFormat; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public static asISO : ()Ljava/lang/String; \n .code stack 3 locals 0 \nL0: getstatic Field TimeUtils df Ljava/text/SimpleDateFormat; \nL3: new java/util/Date \nL6: dup \nL7: invokespecial Method java/util/Date ()V \nL10: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String; \nL13: areturn \nL14: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 3 locals 0 \nL0: new java/text/SimpleDateFormat \nL3: dup \nL4: ldc \"yyyy-MM-dd'T'HH:mmZ\" \nL6: invokespecial Method java/text/SimpleDateFormat (Ljava/lang/String;)V \nL9: putstatic Field TimeUtils df Ljava/text/SimpleDateFormat; \nL12: return \nL13: \n .linenumbertable \n L0 21 \n L12 22 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TimeUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 16:09:48 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TimeUtils_ESTest extends TimeUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TimeUtils timeUtils0 = new TimeUtils();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String string0 = TimeUtils.asISO();\n assertEquals(\"2014-02-14T20:21+0000\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 16:09:48 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TimeUtils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TimeUtils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpxxi050b3\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeUtils_ESTest_scaffolding.class.getClassLoader() ,\n \"TimeUtils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeUtils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TimeUtils\"\n );\n }\n}\n", "class_idx": 223} {"class_name": "ColorAnimationData", "java_source": "import java.awt.Color;\n\npublic class ColorAnimationData {\n private Color startColor;\n private Color targetColor;\n private long start;\n private long duration;\n\n public ColorAnimationData(Color startColor, Color targetColor, long start, long duration) {\n this.startColor = startColor;\n this.targetColor = targetColor;\n this.start = start;\n this.duration = duration;\n }\n\n public Color getStartColor() {\n return startColor;\n }\n\n public Color getTargetColor() {\n return targetColor;\n }\n\n public long getStartTime() {\n return start;\n }\n\n public long getDuration() {\n return duration;\n }\n\n @Override\n public String toString() {\n return \"ColorAnimationData [startColor=\"\n + startColor.getRed()\n + \"; \"\n + startColor.getGreen()\n + \"; \"\n + startColor.getBlue()\n + \", targetColor=\"\n + targetColor.getRed()\n + \"; \"\n + targetColor.getGreen()\n + \"; \"\n + targetColor.getBlue()\n + \", start=\"\n + start\n + \", duration=\"\n + duration\n + \"]\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ColorAnimationData \n.super java/lang/Object \n.field private startColor Ljava/awt/Color; \n.field private targetColor Ljava/awt/Color; \n.field private start J \n.field private duration J \n\n.method public : (Ljava/awt/Color;Ljava/awt/Color;JJ)V \n .code stack 3 locals 7 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field ColorAnimationData startColor Ljava/awt/Color; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field ColorAnimationData targetColor Ljava/awt/Color; \nL14: aload_0 \nL15: lload_3 \nL16: putfield Field ColorAnimationData start J \nL19: aload_0 \nL20: lload 5 \nL22: putfield Field ColorAnimationData duration J \nL25: return \nL26: \n .linenumbertable \n L0 11 \n L4 12 \n L9 13 \n L14 14 \n L19 15 \n L25 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStartColor : ()Ljava/awt/Color; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ColorAnimationData startColor Ljava/awt/Color; \nL4: areturn \nL5: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTargetColor : ()Ljava/awt/Color; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field ColorAnimationData targetColor Ljava/awt/Color; \nL4: areturn \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getStartTime : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field ColorAnimationData start J \nL4: lreturn \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDuration : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field ColorAnimationData duration J \nL4: lreturn \nL5: \n .linenumbertable \n L0 31 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 3 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'ColorAnimationData [startColor=' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field ColorAnimationData startColor Ljava/awt/Color; \nL16: invokevirtual Method java/awt/Color getRed ()I \nL19: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL22: ldc '; ' \nL24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL27: aload_0 \nL28: getfield Field ColorAnimationData startColor Ljava/awt/Color; \nL31: invokevirtual Method java/awt/Color getGreen ()I \nL34: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL37: ldc '; ' \nL39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL42: aload_0 \nL43: getfield Field ColorAnimationData startColor Ljava/awt/Color; \nL46: invokevirtual Method java/awt/Color getBlue ()I \nL49: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL52: ldc ', targetColor=' \nL54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL57: aload_0 \nL58: getfield Field ColorAnimationData targetColor Ljava/awt/Color; \nL61: invokevirtual Method java/awt/Color getRed ()I \nL64: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL67: ldc '; ' \nL69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL72: aload_0 \nL73: getfield Field ColorAnimationData targetColor Ljava/awt/Color; \nL76: invokevirtual Method java/awt/Color getGreen ()I \nL79: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL82: ldc '; ' \nL84: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL87: aload_0 \nL88: getfield Field ColorAnimationData targetColor Ljava/awt/Color; \nL91: invokevirtual Method java/awt/Color getBlue ()I \nL94: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL97: ldc ', start=' \nL99: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL102: aload_0 \nL103: getfield Field ColorAnimationData start J \nL106: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL109: ldc ', duration=' \nL111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL114: aload_0 \nL115: getfield Field ColorAnimationData duration J \nL118: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; \nL121: ldc ']' \nL123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL126: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL129: areturn \nL130: \n .linenumbertable \n L0 36 \n L31 37 \n L61 38 \n L91 39 \n L129 36 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ColorAnimationData.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 18:20:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.awt.Color;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ColorAnimationData_ESTest extends ColorAnimationData_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n ColorAnimationData colorAnimationData0 = new ColorAnimationData((Color) null, (Color) null, 0L, (-1L));\n colorAnimationData0.getTargetColor();\n assertEquals((-1L), colorAnimationData0.getDuration());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Color color0 = Color.GRAY;\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 66991L, (-20271L));\n colorAnimationData0.getTargetColor();\n assertEquals(66991L, colorAnimationData0.getStartTime());\n assertEquals((-20271L), colorAnimationData0.getDuration());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Color color0 = Color.black;\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 5409L, 5409L);\n colorAnimationData0.getTargetColor();\n assertEquals(5409L, colorAnimationData0.getStartTime());\n assertEquals(5409L, colorAnimationData0.getDuration());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Color color0 = new Color(33004, true);\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 0L, 0L);\n Color color1 = colorAnimationData0.getTargetColor();\n assertEquals(128, color1.getGreen());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Color color0 = new Color(33004, true);\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 0L, 0L);\n long long0 = colorAnimationData0.getStartTime();\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Color color0 = Color.ORANGE;\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 1L, 0L);\n long long0 = colorAnimationData0.getStartTime();\n assertEquals(1L, long0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n ColorAnimationData colorAnimationData0 = new ColorAnimationData((Color) null, (Color) null, 0L, (-36180L));\n colorAnimationData0.getStartColor();\n assertEquals((-36180L), colorAnimationData0.getDuration());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Color color0 = Color.RED;\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, (-61458L), (-61458L));\n colorAnimationData0.getStartColor();\n assertEquals((-61458L), colorAnimationData0.getDuration());\n assertEquals((-61458L), colorAnimationData0.getStartTime());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Color color0 = new Color(33004, true);\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 0L, 0L);\n Color color1 = colorAnimationData0.getStartColor();\n assertEquals(2, color1.getTransparency());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Color color0 = new Color(33004, true);\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 0L, 0L);\n long long0 = colorAnimationData0.getDuration();\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Color color0 = Color.CYAN;\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, 9455L, 9455L);\n long long0 = colorAnimationData0.getDuration();\n assertEquals(9455L, long0);\n assertEquals(9455L, colorAnimationData0.getStartTime());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Color color0 = Color.blue;\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, (-1L), (-1L));\n long long0 = colorAnimationData0.getStartTime();\n assertEquals((-1L), colorAnimationData0.getDuration());\n assertEquals((-1L), long0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Color color0 = Color.gray;\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, (-16656L), (-16656L));\n String string0 = colorAnimationData0.toString();\n assertEquals(\"ColorAnimationData [startColor=128; 128; 128, targetColor=128; 128; 128, start=-16656, duration=-16656]\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Color color0 = new Color(0, 0, 0);\n ColorAnimationData colorAnimationData0 = new ColorAnimationData(color0, color0, (-39309L), (-39309L));\n long long0 = colorAnimationData0.getDuration();\n assertEquals((-39309L), colorAnimationData0.getStartTime());\n assertEquals((-39309L), long0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 18:20:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ColorAnimationData_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ColorAnimationData\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmptyyar3zb\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ColorAnimationData_ESTest_scaffolding.class.getClassLoader() ,\n \"ColorAnimationData\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ColorAnimationData_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ColorAnimationData\"\n );\n }\n}\n", "class_idx": 224} {"class_name": "HalfAtomicInt", "java_source": "import java.util.concurrent.atomic.AtomicInteger;\n\n/** \u7c7b\u8bf4\u660e\uff1a\u6709\u4e00\u4e2a\u6b8b\u7f3aAtomicInteger\u7684\u7c7b\u5b9e\u73b0\u4e86\u7ebf\u7a0b\u5b89\u5168\u7684\uff1a get\u65b9\u6cd5\u548ccompareAndSet()\u65b9\u6cd5 \u81ea\u884c\u5b9e\u73b0\u5b83\u7684\u9012\u589e\u65b9\u6cd5 */\npublic class HalfAtomicInt {\n private AtomicInteger atomicI = new AtomicInteger(0);\n\n public void increament() {\n for (; ; ) {\n int i = atomicI.get();\n boolean suc = atomicI.compareAndSet(i, ++i);\n if (suc) {\n break;\n }\n }\n }\n\n public int getCount() {\n return atomicI.get();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super HalfAtomicInt \n.super java/lang/Object \n.field private atomicI Ljava/util/concurrent/atomic/AtomicInteger; \n\n.method public : ()V \n .code stack 4 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/concurrent/atomic/AtomicInteger \nL8: dup \nL9: iconst_0 \nL10: invokespecial Method java/util/concurrent/atomic/AtomicInteger (I)V \nL13: putfield Field HalfAtomicInt atomicI Ljava/util/concurrent/atomic/AtomicInteger; \nL16: return \nL17: \n .linenumbertable \n L0 10 \n L4 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public increament : ()V \n .code stack 3 locals 3 \n\n .stack same \nL0: aload_0 \nL1: getfield Field HalfAtomicInt atomicI Ljava/util/concurrent/atomic/AtomicInteger; \nL4: invokevirtual Method java/util/concurrent/atomic/AtomicInteger get ()I \nL7: istore_1 \nL8: aload_0 \nL9: getfield Field HalfAtomicInt atomicI Ljava/util/concurrent/atomic/AtomicInteger; \nL12: iload_1 \nL13: iinc 1 1 \nL16: iload_1 \nL17: invokevirtual Method java/util/concurrent/atomic/AtomicInteger compareAndSet (II)Z \nL20: istore_2 \nL21: iload_2 \nL22: ifeq L28 \nL25: goto L31 \n\n .stack same \nL28: goto L0 \n\n .stack same \nL31: return \nL32: \n .linenumbertable \n L0 15 \n L8 16 \n L21 17 \n L25 18 \n L28 20 \n L31 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCount : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field HalfAtomicInt atomicI Ljava/util/concurrent/atomic/AtomicInteger; \nL4: invokevirtual Method java/util/concurrent/atomic/AtomicInteger get ()I \nL7: ireturn \nL8: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'HalfAtomicInt.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 18:19:46 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class HalfAtomicInt_ESTest extends HalfAtomicInt_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n HalfAtomicInt halfAtomicInt0 = new HalfAtomicInt();\n halfAtomicInt0.increament();\n int int0 = halfAtomicInt0.getCount();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n HalfAtomicInt halfAtomicInt0 = new HalfAtomicInt();\n halfAtomicInt0.getCount();\n halfAtomicInt0.increament();\n int int0 = halfAtomicInt0.getCount();\n assertEquals(1, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 18:19:46 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class HalfAtomicInt_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"HalfAtomicInt\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp5bqksaf9\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HalfAtomicInt_ESTest_scaffolding.class.getClassLoader() ,\n \"HalfAtomicInt\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HalfAtomicInt_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"HalfAtomicInt\"\n );\n }\n}\n", "class_idx": 225} {"class_name": "NetworkException", "java_source": "public class NetworkException extends Exception {\n public NetworkException() {\n super(\"Network not available\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super NetworkException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: ldc 'Network not available' \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL6: return \nL7: \n .linenumbertable \n L0 6 \n L6 7 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'NetworkException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 15:06:20 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class NetworkException_ESTest extends NetworkException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n NetworkException networkException0 = new NetworkException();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 15:06:20 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class NetworkException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"NetworkException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6qhoty12\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NetworkException_ESTest_scaffolding.class.getClassLoader() ,\n \"NetworkException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NetworkException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"NetworkException\"\n );\n }\n}\n", "class_idx": 226} {"class_name": "GoalParser2", "java_source": "/*\nYou own a Goal Parser that can interpret a string command. The command consists of an alphabet of \"G\", \"()\" and/or \"(al)\" in some order. The Goal Parser will interpret \"G\" as the string \"G\", \"()\" as the string \"o\", and \"(al)\" as the string \"al\". The interpreted strings are then concatenated in the original order.\n\nGiven the string command, return the Goal Parser's interpretation of command.\n\n\n\nExample 1:\n\nInput: command = \"G()(al)\"\nOutput: \"Goal\"\nExplanation: The Goal Parser interprets the command as follows:\nG -> G\n() -> o\n(al) -> al\nThe final concatenated result is \"Goal\".\nExample 2:\n\nInput: command = \"G()()()()(al)\"\nOutput: \"Gooooal\"\nExample 3:\n\nInput: command = \"(al)G(al)()()G\"\nOutput: \"alGalooG\"\n\n\nConstraints:\n\n1 <= command.length <= 100\ncommand consists of \"G\", \"()\", and/or \"(al)\" in some order.\n\n*/\n\npublic class GoalParser2 {\n public static void main(String args[]) {\n String[] tests = {\"\", \"G\", \"()\", \"(al)\", \"G()(al)\", \"G()()()()(al)\", \"(al)G(al)()()G\", \"Goal\"};\n\n for (String test : tests) {\n System.out.printf(\"interpret(%s) = %s\\n\", test, interpret(test));\n }\n }\n\n private static String interpret(String command) {\n int cmdLen = command.length();\n StringBuilder result = new StringBuilder();\n\n for (int i = 0; i < cmdLen; i++) {\n char c = command.charAt(i);\n\n if (c == 'G') {\n result.append(\"G\");\n\n } else if (i + 2 <= cmdLen && command.substring(i, i + 2) == \"()\") {\n result.append(\"o\");\n i++;\n\n } else if (i + 4 <= cmdLen && command.substring(i, i + 4) == \"(al)\") {\n result.append(\"al\");\n i += 3;\n }\n }\n\n return result.toString();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super GoalParser2 \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 6 locals 6 \nL0: bipush 8 \nL2: anewarray java/lang/String \nL5: dup \nL6: iconst_0 \nL7: ldc '' \nL9: aastore \nL10: dup \nL11: iconst_1 \nL12: ldc 'G' \nL14: aastore \nL15: dup \nL16: iconst_2 \nL17: ldc '()' \nL19: aastore \nL20: dup \nL21: iconst_3 \nL22: ldc '(al)' \nL24: aastore \nL25: dup \nL26: iconst_4 \nL27: ldc 'G()(al)' \nL29: aastore \nL30: dup \nL31: iconst_5 \nL32: ldc 'G()()()()(al)' \nL34: aastore \nL35: dup \nL36: bipush 6 \nL38: ldc '(al)G(al)()()G' \nL40: aastore \nL41: dup \nL42: bipush 7 \nL44: ldc 'Goal' \nL46: aastore \nL47: astore_1 \nL48: aload_1 \nL49: astore_2 \nL50: aload_2 \nL51: arraylength \nL52: istore_3 \nL53: iconst_0 \nL54: istore 4 \n\n .stack full \n locals Object [Ljava/lang/String; Object [Ljava/lang/String; Object [Ljava/lang/String; Integer Integer \n stack \n .end stack \nL56: iload 4 \nL58: iload_3 \nL59: if_icmpge L100 \nL62: aload_2 \nL63: iload 4 \nL65: aaload \nL66: astore 5 \nL68: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL71: ldc 'interpret(%s) = %s\\n' \nL73: iconst_2 \nL74: anewarray java/lang/Object \nL77: dup \nL78: iconst_0 \nL79: aload 5 \nL81: aastore \nL82: dup \nL83: iconst_1 \nL84: aload 5 \nL86: invokestatic Method GoalParser2 interpret (Ljava/lang/String;)Ljava/lang/String; \nL89: aastore \nL90: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; \nL93: pop \nL94: iinc 4 1 \nL97: goto L56 \n\n .stack chop 3 \nL100: return \nL101: \n .linenumbertable \n L0 36 \n L48 38 \n L68 39 \n L94 38 \n L100 41 \n .end linenumbertable \n .end code \n.end method \n\n.method private static interpret : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 4 locals 5 \nL0: aload_0 \nL1: invokevirtual Method java/lang/String length ()I \nL4: istore_1 \nL5: new java/lang/StringBuilder \nL8: dup \nL9: invokespecial Method java/lang/StringBuilder ()V \nL12: astore_2 \nL13: iconst_0 \nL14: istore_3 \n\n .stack append Integer Object java/lang/StringBuilder Integer \nL15: iload_3 \nL16: iload_1 \nL17: if_icmpge L113 \nL20: aload_0 \nL21: iload_3 \nL22: invokevirtual Method java/lang/String charAt (I)C \nL25: istore 4 \nL27: iload 4 \nL29: bipush 71 \nL31: if_icmpne L44 \nL34: aload_2 \nL35: ldc 'G' \nL37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL40: pop \nL41: goto L107 \n\n .stack append Integer \nL44: iload_3 \nL45: iconst_2 \nL46: iadd \nL47: iload_1 \nL48: if_icmpgt L77 \nL51: aload_0 \nL52: iload_3 \nL53: iload_3 \nL54: iconst_2 \nL55: iadd \nL56: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL59: ldc '()' \nL61: if_acmpne L77 \nL64: aload_2 \nL65: ldc 'o' \nL67: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL70: pop \nL71: iinc 3 1 \nL74: goto L107 \n\n .stack same \nL77: iload_3 \nL78: iconst_4 \nL79: iadd \nL80: iload_1 \nL81: if_icmpgt L107 \nL84: aload_0 \nL85: iload_3 \nL86: iload_3 \nL87: iconst_4 \nL88: iadd \nL89: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL92: ldc '(al)' \nL94: if_acmpne L107 \nL97: aload_2 \nL98: ldc 'al' \nL100: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL103: pop \nL104: iinc 3 3 \n\n .stack chop 1 \nL107: iinc 3 1 \nL110: goto L15 \n\n .stack chop 1 \nL113: aload_2 \nL114: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL117: areturn \nL118: \n .linenumbertable \n L0 44 \n L5 45 \n L13 47 \n L20 48 \n L27 50 \n L34 51 \n L44 53 \n L64 54 \n L71 55 \n L77 57 \n L97 58 \n L104 59 \n L107 47 \n L113 63 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'GoalParser2.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 01:16:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class GoalParser2_ESTest extends GoalParser2_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n GoalParser2 goalParser2_0 = new GoalParser2();\n String[] stringArray0 = new String[6];\n stringArray0[0] = \"{_jwV:\\\"viH_2|'\";\n stringArray0[1] = \"\";\n stringArray0[2] = \"*RY1xWVQD[Z2JU*V\";\n stringArray0[3] = \"Lp=xxm$kE\";\n stringArray0[4] = \"bi!X\";\n stringArray0[5] = \"A'D\";\n GoalParser2.main(stringArray0);\n String[] stringArray1 = new String[0];\n GoalParser2.main(stringArray1);\n String[] stringArray2 = new String[2];\n stringArray2[0] = \"G()()()()(al)\";\n stringArray2[1] = \"(al)\";\n GoalParser2.main(stringArray2);\n GoalParser2.main((String[]) null);\n String[] stringArray3 = new String[0];\n GoalParser2.main(stringArray3);\n GoalParser2.main(stringArray3);\n GoalParser2.main((String[]) null);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n GoalParser2 goalParser2_0 = new GoalParser2();\n String[] stringArray0 = new String[6];\n stringArray0[0] = \"#%s/?zY^%ig:(\u007f*$\u007f\";\n stringArray0[1] = \"|F\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"BP82$qDMd,D4Ya|\";\n stringArray0[4] = \"\";\n stringArray0[5] = \"\";\n GoalParser2.main(stringArray0);\n String[] stringArray1 = new String[6];\n stringArray1[0] = \"jYwoW\";\n stringArray1[1] = \"al\";\n stringArray1[2] = \"%H/W(i xYzU=w>q\";\n stringArray1[3] = \"\";\n stringArray1[4] = \"(al)G(al)()()G\";\n stringArray1[5] = \"\";\n GoalParser2.main(stringArray1);\n GoalParser2.main(stringArray1);\n assertFalse(stringArray1.equals((Object)stringArray0));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String[] stringArray0 = new String[7];\n stringArray0[0] = \"q X\";\n stringArray0[2] = \"\";\n stringArray0[3] = \"\";\n stringArray0[4] = \"\";\n stringArray0[5] = \"wUR#@._3_&_Sz,DVNH\";\n stringArray0[6] = \"\";\n GoalParser2.main(stringArray0);\n GoalParser2 goalParser2_0 = new GoalParser2();\n String[] stringArray1 = new String[5];\n stringArray1[0] = \"wUR#@._3_&_Sz,DVNH\";\n stringArray1[1] = \"\";\n stringArray1[2] = \"wUR#@._3_&_Sz,DVNH\";\n stringArray1[3] = \"wUR#@._3_&_Sz,DVNH\";\n stringArray1[4] = \"q Xtjeubaoit\n */\npublic class LocationChangeEvent {\n\n public final double lat;\n public final double lon;\n\n public LocationChangeEvent(double lat, double lon) {\n this.lat = lat;\n this.lon = lon;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super LocationChangeEvent \n.super java/lang/Object \n.field public final lat D \n.field public final lon D \n\n.method public : (DD)V \n .code stack 3 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: dload_1 \nL6: putfield Field LocationChangeEvent lat D \nL9: aload_0 \nL10: dload_3 \nL11: putfield Field LocationChangeEvent lon D \nL14: return \nL15: \n .linenumbertable \n L0 13 \n L4 14 \n L9 15 \n L14 16 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'LocationChangeEvent.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 00:57:40 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class LocationChangeEvent_ESTest extends LocationChangeEvent_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n LocationChangeEvent locationChangeEvent0 = new LocationChangeEvent(0.0, 1.0);\n assertEquals(1.0, locationChangeEvent0.lon, 1.0E-4);\n assertEquals(0.0, locationChangeEvent0.lat, 1.0E-4);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 00:57:40 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class LocationChangeEvent_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"LocationChangeEvent\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfbeu93on\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LocationChangeEvent_ESTest_scaffolding.class.getClassLoader() ,\n \"LocationChangeEvent\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LocationChangeEvent_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"LocationChangeEvent\"\n );\n }\n}\n", "class_idx": 228} {"class_name": "Coins", "java_source": "/**\n * @author Nikita Zenkin.\n * @version 1.\n * @since 26.06.2017.\n */\nclass Coins {\n /** Value of coin. */\n private int value;\n\n /**\n * Constructor.\n *\n * @param value int.\n */\n Coins(int value) {\n this.value = value;\n }\n\n /**\n * Getter for value.\n *\n * @return int.\n */\n int getValue() {\n return this.value;\n }\n}\n", "jasm_code": ".version 52 0 \n.class super Coins \n.super java/lang/Object \n.field private value I \n\n.method : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field Coins value I \nL9: return \nL10: \n .linenumbertable \n L0 18 \n L4 19 \n L9 20 \n .end linenumbertable \n .end code \n.end method \n\n.method getValue : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Coins value I \nL4: ireturn \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Coins.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 02:12:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Coins_ESTest extends Coins_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Coins coins0 = new Coins(0);\n int int0 = coins0.getValue();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Coins coins0 = new Coins(11176);\n int int0 = coins0.getValue();\n assertEquals(11176, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Coins coins0 = new Coins((-1));\n int int0 = coins0.getValue();\n assertEquals((-1), int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 02:12:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Coins_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Coins\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1gspwu3_\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Coins_ESTest_scaffolding.class.getClassLoader() ,\n \"Coins\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Coins_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Coins\"\n );\n }\n}\n", "class_idx": 229} {"class_name": "Contact", "java_source": "public class Contact {\n private String firstName;\n private String lastName;\n private String phoneNumber;\n\n public Contact(String firstName, String lastName, String phoneNumber) {\n this.firstName = firstName;\n this.lastName = lastName;\n this.phoneNumber = phoneNumber;\n }\n\n public String getFirstName() {\n return firstName;\n }\n\n public void setFirstName(String firstName) {\n this.firstName = firstName;\n }\n\n public String getLastName() {\n return lastName;\n }\n\n public void setLastName(String lastName) {\n this.lastName = lastName;\n }\n\n public String getPhoneNumber() {\n return phoneNumber;\n }\n\n public void setPhoneNumber(String phoneNumber) {\n this.phoneNumber = phoneNumber;\n }\n\n @Override\n public String toString() {\n return lastName + \", \" + firstName;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Contact \n.super java/lang/Object \n.field private firstName Ljava/lang/String; \n.field private lastName Ljava/lang/String; \n.field private phoneNumber Ljava/lang/String; \n\n.method public : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field Contact firstName Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field Contact lastName Ljava/lang/String; \nL14: aload_0 \nL15: aload_3 \nL16: putfield Field Contact phoneNumber Ljava/lang/String; \nL19: return \nL20: \n .linenumbertable \n L0 8 \n L4 9 \n L9 10 \n L14 11 \n L19 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFirstName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Contact firstName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public setFirstName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Contact firstName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 19 \n L5 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLastName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Contact lastName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLastName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Contact lastName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 27 \n L5 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public getPhoneNumber : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Contact phoneNumber Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 31 \n .end linenumbertable \n .end code \n.end method \n\n.method public setPhoneNumber : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Contact phoneNumber Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 35 \n L5 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: aload_0 \nL8: getfield Field Contact lastName Ljava/lang/String; \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: ldc ', ' \nL16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL19: aload_0 \nL20: getfield Field Contact firstName Ljava/lang/String; \nL23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL29: areturn \nL30: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Contact.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 17:13:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Contact_ESTest extends Contact_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Contact contact0 = new Contact((String) null, (String) null, (String) null);\n String string0 = contact0.getPhoneNumber();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Contact contact0 = new Contact(\"X)(!M YaR : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/applet/Applet ()V \nL4: aload_0 \nL5: bipush 80 \nL7: putfield Field Clock xcenter I \nL10: aload_0 \nL11: bipush 55 \nL13: putfield Field Clock ycenter I \nL16: return \nL17: \n .linenumbertable \n L0 58 \n L4 69 \n .end linenumbertable \n .end code \n.end method \n\n.method public init : ()V \n .code stack 8 locals 2 \nL0: aload_0 \nL1: aload_0 \nL2: aload_0 \nL3: aload_0 \nL4: aload_0 \nL5: aload_0 \nL6: iconst_0 \nL7: dup_x1 \nL8: putfield Field Clock lastyh I \nL11: dup_x1 \nL12: putfield Field Clock lastxh I \nL15: dup_x1 \nL16: putfield Field Clock lastym I \nL19: dup_x1 \nL20: putfield Field Clock lastxm I \nL23: dup_x1 \nL24: putfield Field Clock lastys I \nL27: putfield Field Clock lastxs I \nL30: aload_0 \nL31: new java/text/SimpleDateFormat \nL34: dup \nL35: ldc 'EEE MMM dd hh:mm:ss yyyy' \nL37: invokestatic Method java/util/Locale getDefault ()Ljava/util/Locale; \nL40: invokespecial Method java/text/SimpleDateFormat (Ljava/lang/String;Ljava/util/Locale;)V \nL43: putfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL46: aload_0 \nL47: new java/util/Date \nL50: dup \nL51: invokespecial Method java/util/Date ()V \nL54: putfield Field Clock currentDate Ljava/util/Date; \nL57: aload_0 \nL58: aload_0 \nL59: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL62: aload_0 \nL63: getfield Field Clock currentDate Ljava/util/Date; \nL66: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String; \nL69: putfield Field Clock lastdate Ljava/lang/String; \nL72: aload_0 \nL73: new java/awt/Font \nL76: dup \nL77: ldc 'Serif' \nL79: iconst_0 \nL80: bipush 14 \nL82: invokespecial Method java/awt/Font (Ljava/lang/String;II)V \nL85: putfield Field Clock clockFaceFont Ljava/awt/Font; \nL88: aload_0 \nL89: getstatic Field java/awt/Color blue Ljava/awt/Color; \nL92: putfield Field Clock handColor Ljava/awt/Color; \nL95: aload_0 \nL96: getstatic Field java/awt/Color darkGray Ljava/awt/Color; \nL99: putfield Field Clock numberColor Ljava/awt/Color; \n .catch java/lang/NullPointerException from L102 to L124 using L127 \n .catch java/lang/NumberFormatException from L102 to L124 using L131 \nL102: aload_0 \nL103: new java/awt/Color \nL106: dup \nL107: aload_0 \nL108: ldc 'bgcolor' \nL110: invokevirtual Method Clock getParameter (Ljava/lang/String;)Ljava/lang/String; \nL113: bipush 16 \nL115: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;I)I \nL118: invokespecial Method java/awt/Color (I)V \nL121: invokevirtual Method Clock setBackground (Ljava/awt/Color;)V \nL124: goto L132 \n\n .stack stack_1_extended Object java/lang/NullPointerException \nL127: astore_1 \nL128: goto L132 \n\n .stack stack_1 Object java/lang/NumberFormatException \nL131: astore_1 \n .catch java/lang/NullPointerException from L132 to L154 using L157 \n .catch java/lang/NumberFormatException from L132 to L154 using L161 \n\n .stack same \nL132: aload_0 \nL133: new java/awt/Color \nL136: dup \nL137: aload_0 \nL138: ldc 'fgcolor1' \nL140: invokevirtual Method Clock getParameter (Ljava/lang/String;)Ljava/lang/String; \nL143: bipush 16 \nL145: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;I)I \nL148: invokespecial Method java/awt/Color (I)V \nL151: putfield Field Clock handColor Ljava/awt/Color; \nL154: goto L162 \n\n .stack stack_1 Object java/lang/NullPointerException \nL157: astore_1 \nL158: goto L162 \n\n .stack stack_1 Object java/lang/NumberFormatException \nL161: astore_1 \n .catch java/lang/NullPointerException from L162 to L184 using L187 \n .catch java/lang/NumberFormatException from L162 to L184 using L191 \n\n .stack same \nL162: aload_0 \nL163: new java/awt/Color \nL166: dup \nL167: aload_0 \nL168: ldc 'fgcolor2' \nL170: invokevirtual Method Clock getParameter (Ljava/lang/String;)Ljava/lang/String; \nL173: bipush 16 \nL175: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;I)I \nL178: invokespecial Method java/awt/Color (I)V \nL181: putfield Field Clock numberColor Ljava/awt/Color; \nL184: goto L192 \n\n .stack stack_1 Object java/lang/NullPointerException \nL187: astore_1 \nL188: goto L192 \n\n .stack stack_1 Object java/lang/NumberFormatException \nL191: astore_1 \n\n .stack same \nL192: aload_0 \nL193: sipush 300 \nL196: sipush 300 \nL199: invokevirtual Method Clock resize (II)V \nL202: return \nL203: \n .linenumbertable \n L0 73 \n L30 74 \n L37 75 \n L46 76 \n L57 77 \n L72 78 \n L88 79 \n L95 80 \n L102 83 \n L124 87 \n L127 85 \n L128 87 \n L131 86 \n L132 89 \n L154 93 \n L157 91 \n L158 93 \n L161 92 \n L162 95 \n L184 99 \n L187 97 \n L188 99 \n L191 98 \n L192 100 \n L202 101 \n .end linenumbertable \n .end code \n.end method \n\n.method public update : (Ljava/awt/Graphics;)V \n .code stack 5 locals 13 \nL0: iconst_0 \nL1: istore 8 \nL3: bipush 10 \nL5: istore 9 \nL7: bipush 10 \nL9: istore 10 \nL11: aload_0 \nL12: new java/util/Date \nL15: dup \nL16: invokespecial Method java/util/Date ()V \nL19: putfield Field Clock currentDate Ljava/util/Date; \nL22: aload_0 \nL23: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL26: ldc 's' \nL28: invokevirtual Method java/text/SimpleDateFormat applyPattern (Ljava/lang/String;)V \n .catch java/lang/NumberFormatException from L31 to L47 using L50 \nL31: aload_0 \nL32: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL35: aload_0 \nL36: getfield Field Clock currentDate Ljava/util/Date; \nL39: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String; \nL42: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL45: istore 8 \nL47: goto L55 \n\n .stack full \n locals Object Clock Object java/awt/Graphics Top Top Top Top Top Top Integer Integer Integer \n stack Object java/lang/NumberFormatException \n .end stack \nL50: astore 12 \nL52: iconst_0 \nL53: istore 8 \n\n .stack same \nL55: aload_0 \nL56: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL59: ldc 'm' \nL61: invokevirtual Method java/text/SimpleDateFormat applyPattern (Ljava/lang/String;)V \n .catch java/lang/NumberFormatException from L64 to L80 using L83 \nL64: aload_0 \nL65: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL68: aload_0 \nL69: getfield Field Clock currentDate Ljava/util/Date; \nL72: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String; \nL75: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL78: istore 9 \nL80: goto L89 \n\n .stack stack_1 Object java/lang/NumberFormatException \nL83: astore 12 \nL85: bipush 10 \nL87: istore 9 \n\n .stack same \nL89: aload_0 \nL90: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL93: ldc 'h' \nL95: invokevirtual Method java/text/SimpleDateFormat applyPattern (Ljava/lang/String;)V \n .catch java/lang/NumberFormatException from L98 to L114 using L117 \nL98: aload_0 \nL99: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL102: aload_0 \nL103: getfield Field Clock currentDate Ljava/util/Date; \nL106: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String; \nL109: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I \nL112: istore 10 \nL114: goto L123 \n\n .stack stack_1 Object java/lang/NumberFormatException \nL117: astore 12 \nL119: bipush 10 \nL121: istore 10 \n\n .stack same \nL123: iload 8 \nL125: i2d \nL126: ldc2_w +3.141592653589793 \nL129: dmul \nL130: ldc2_w +30.0 \nL133: ddiv \nL134: ldc2_w +1.5707963267948966 \nL137: dsub \nL138: invokestatic Method java/lang/Math cos (D)D \nL141: ldc2_w +45.0 \nL144: dmul \nL145: aload_0 \nL146: getfield Field Clock xcenter I \nL149: i2d \nL150: dadd \nL151: d2i \nL152: istore 6 \nL154: iload 8 \nL156: i2d \nL157: ldc2_w +3.141592653589793 \nL160: dmul \nL161: ldc2_w +30.0 \nL164: ddiv \nL165: ldc2_w +1.5707963267948966 \nL168: dsub \nL169: invokestatic Method java/lang/Math sin (D)D \nL172: ldc2_w +45.0 \nL175: dmul \nL176: aload_0 \nL177: getfield Field Clock ycenter I \nL180: i2d \nL181: dadd \nL182: d2i \nL183: istore 7 \nL185: iload 9 \nL187: i2d \nL188: ldc2_w +3.141592653589793 \nL191: dmul \nL192: ldc2_w +30.0 \nL195: ddiv \nL196: ldc2_w +1.5707963267948966 \nL199: dsub \nL200: invokestatic Method java/lang/Math cos (D)D \nL203: ldc2_w +40.0 \nL206: dmul \nL207: aload_0 \nL208: getfield Field Clock xcenter I \nL211: i2d \nL212: dadd \nL213: d2i \nL214: istore 4 \nL216: iload 9 \nL218: i2d \nL219: ldc2_w +3.141592653589793 \nL222: dmul \nL223: ldc2_w +30.0 \nL226: ddiv \nL227: ldc2_w +1.5707963267948966 \nL230: dsub \nL231: invokestatic Method java/lang/Math sin (D)D \nL234: ldc2_w +40.0 \nL237: dmul \nL238: aload_0 \nL239: getfield Field Clock ycenter I \nL242: i2d \nL243: dadd \nL244: d2i \nL245: istore 5 \nL247: iload 10 \nL249: bipush 30 \nL251: imul \nL252: iload 9 \nL254: iconst_2 \nL255: idiv \nL256: iadd \nL257: i2d \nL258: ldc2_w +3.141592653589793 \nL261: dmul \nL262: ldc2_w +180.0 \nL265: ddiv \nL266: ldc2_w +1.5707963267948966 \nL269: dsub \nL270: invokestatic Method java/lang/Math cos (D)D \nL273: ldc2_w +30.0 \nL276: dmul \nL277: aload_0 \nL278: getfield Field Clock xcenter I \nL281: i2d \nL282: dadd \nL283: d2i \nL284: istore_2 \nL285: iload 10 \nL287: bipush 30 \nL289: imul \nL290: iload 9 \nL292: iconst_2 \nL293: idiv \nL294: iadd \nL295: i2d \nL296: ldc2_w +3.141592653589793 \nL299: dmul \nL300: ldc2_w +180.0 \nL303: ddiv \nL304: ldc2_w +1.5707963267948966 \nL307: dsub \nL308: invokestatic Method java/lang/Math sin (D)D \nL311: ldc2_w +30.0 \nL314: dmul \nL315: aload_0 \nL316: getfield Field Clock ycenter I \nL319: i2d \nL320: dadd \nL321: d2i \nL322: istore_3 \nL323: aload_0 \nL324: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL327: ldc 'EEE MMM dd HH:mm:ss yyyy' \nL329: invokevirtual Method java/text/SimpleDateFormat applyPattern (Ljava/lang/String;)V \nL332: aload_0 \nL333: getfield Field Clock formatter Ljava/text/SimpleDateFormat; \nL336: aload_0 \nL337: getfield Field Clock currentDate Ljava/util/Date; \nL340: invokevirtual Method java/text/SimpleDateFormat format (Ljava/util/Date;)Ljava/lang/String; \nL343: astore 11 \nL345: aload_1 \nL346: aload_0 \nL347: getfield Field Clock clockFaceFont Ljava/awt/Font; \nL350: invokevirtual Method java/awt/Graphics setFont (Ljava/awt/Font;)V \nL353: aload_1 \nL354: aload_0 \nL355: invokevirtual Method Clock getBackground ()Ljava/awt/Color; \nL358: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V \nL361: iload 6 \nL363: aload_0 \nL364: getfield Field Clock lastxs I \nL367: if_icmpne L379 \nL370: iload 7 \nL372: aload_0 \nL373: getfield Field Clock lastys I \nL376: if_icmpeq L410 \n\n .stack full \n locals Object Clock Object java/awt/Graphics Integer Integer Integer Integer Integer Integer Integer Integer Integer Object java/lang/String \n stack \n .end stack \nL379: aload_1 \nL380: aload_0 \nL381: getfield Field Clock xcenter I \nL384: aload_0 \nL385: getfield Field Clock ycenter I \nL388: aload_0 \nL389: getfield Field Clock lastxs I \nL392: aload_0 \nL393: getfield Field Clock lastys I \nL396: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL399: aload_1 \nL400: aload_0 \nL401: getfield Field Clock lastdate Ljava/lang/String; \nL404: iconst_5 \nL405: bipush 125 \nL407: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V \n\n .stack same \nL410: iload 4 \nL412: aload_0 \nL413: getfield Field Clock lastxm I \nL416: if_icmpne L428 \nL419: iload 5 \nL421: aload_0 \nL422: getfield Field Clock lastym I \nL425: if_icmpeq L472 \n\n .stack same \nL428: aload_1 \nL429: aload_0 \nL430: getfield Field Clock xcenter I \nL433: aload_0 \nL434: getfield Field Clock ycenter I \nL437: iconst_1 \nL438: isub \nL439: aload_0 \nL440: getfield Field Clock lastxm I \nL443: aload_0 \nL444: getfield Field Clock lastym I \nL447: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL450: aload_1 \nL451: aload_0 \nL452: getfield Field Clock xcenter I \nL455: iconst_1 \nL456: isub \nL457: aload_0 \nL458: getfield Field Clock ycenter I \nL461: aload_0 \nL462: getfield Field Clock lastxm I \nL465: aload_0 \nL466: getfield Field Clock lastym I \nL469: invokevirtual Method java/awt/Graphics drawLine (IIII)V \n\n .stack same \nL472: iload_2 \nL473: aload_0 \nL474: getfield Field Clock lastxh I \nL477: if_icmpne L488 \nL480: iload_3 \nL481: aload_0 \nL482: getfield Field Clock lastyh I \nL485: if_icmpeq L532 \n\n .stack same \nL488: aload_1 \nL489: aload_0 \nL490: getfield Field Clock xcenter I \nL493: aload_0 \nL494: getfield Field Clock ycenter I \nL497: iconst_1 \nL498: isub \nL499: aload_0 \nL500: getfield Field Clock lastxh I \nL503: aload_0 \nL504: getfield Field Clock lastyh I \nL507: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL510: aload_1 \nL511: aload_0 \nL512: getfield Field Clock xcenter I \nL515: iconst_1 \nL516: isub \nL517: aload_0 \nL518: getfield Field Clock ycenter I \nL521: aload_0 \nL522: getfield Field Clock lastxh I \nL525: aload_0 \nL526: getfield Field Clock lastyh I \nL529: invokevirtual Method java/awt/Graphics drawLine (IIII)V \n\n .stack same \nL532: aload_1 \nL533: aload_0 \nL534: getfield Field Clock numberColor Ljava/awt/Color; \nL537: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V \nL540: aload_1 \nL541: aload 11 \nL543: iconst_5 \nL544: bipush 125 \nL546: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V \nL549: aload_1 \nL550: aload_0 \nL551: getfield Field Clock xcenter I \nL554: aload_0 \nL555: getfield Field Clock ycenter I \nL558: iload 6 \nL560: iload 7 \nL562: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL565: aload_1 \nL566: aload_0 \nL567: getfield Field Clock handColor Ljava/awt/Color; \nL570: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V \nL573: aload_1 \nL574: aload_0 \nL575: getfield Field Clock xcenter I \nL578: aload_0 \nL579: getfield Field Clock ycenter I \nL582: iconst_1 \nL583: isub \nL584: iload 4 \nL586: iload 5 \nL588: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL591: aload_1 \nL592: aload_0 \nL593: getfield Field Clock xcenter I \nL596: iconst_1 \nL597: isub \nL598: aload_0 \nL599: getfield Field Clock ycenter I \nL602: iload 4 \nL604: iload 5 \nL606: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL609: aload_1 \nL610: aload_0 \nL611: getfield Field Clock xcenter I \nL614: aload_0 \nL615: getfield Field Clock ycenter I \nL618: iconst_1 \nL619: isub \nL620: iload_2 \nL621: iload_3 \nL622: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL625: aload_1 \nL626: aload_0 \nL627: getfield Field Clock xcenter I \nL630: iconst_1 \nL631: isub \nL632: aload_0 \nL633: getfield Field Clock ycenter I \nL636: iload_2 \nL637: iload_3 \nL638: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL641: aload_0 \nL642: iload 6 \nL644: putfield Field Clock lastxs I \nL647: aload_0 \nL648: iload 7 \nL650: putfield Field Clock lastys I \nL653: aload_0 \nL654: iload 4 \nL656: putfield Field Clock lastxm I \nL659: aload_0 \nL660: iload 5 \nL662: putfield Field Clock lastym I \nL665: aload_0 \nL666: iload_2 \nL667: putfield Field Clock lastxh I \nL670: aload_0 \nL671: iload_3 \nL672: putfield Field Clock lastyh I \nL675: aload_0 \nL676: aload 11 \nL678: putfield Field Clock lastdate Ljava/lang/String; \nL681: aload_0 \nL682: aconst_null \nL683: putfield Field Clock currentDate Ljava/util/Date; \nL686: return \nL687: \n .linenumbertable \n L0 109 \n L11 112 \n L22 114 \n L31 116 \n L47 119 \n L50 117 \n L52 118 \n L55 120 \n L64 122 \n L80 125 \n L83 123 \n L85 124 \n L89 126 \n L98 128 \n L114 131 \n L117 129 \n L119 130 \n L123 134 \n L154 135 \n L185 136 \n L216 137 \n L247 138 \n L285 141 \n L323 146 \n L332 147 \n L345 149 \n L353 151 \n L361 152 \n L379 153 \n L399 154 \n L410 156 \n L428 157 \n L450 158 \n L472 160 \n L488 161 \n L510 162 \n L532 166 \n L540 167 \n L549 168 \n L565 169 \n L573 170 \n L591 171 \n L609 172 \n L625 173 \n L641 174 \n L647 175 \n L653 176 \n L659 177 \n L665 178 \n L670 179 \n L675 180 \n L681 181 \n L686 182 \n .end linenumbertable \n .end code \n.end method \n\n.method public paint : (Ljava/awt/Graphics;)V \n .code stack 7 locals 2 \nL0: aload_1 \nL1: aload_0 \nL2: getfield Field Clock clockFaceFont Ljava/awt/Font; \nL5: invokevirtual Method java/awt/Graphics setFont (Ljava/awt/Font;)V \nL8: aload_1 \nL9: aload_0 \nL10: getfield Field Clock handColor Ljava/awt/Color; \nL13: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V \nL16: aload_1 \nL17: aload_0 \nL18: getfield Field Clock xcenter I \nL21: bipush 50 \nL23: isub \nL24: aload_0 \nL25: getfield Field Clock ycenter I \nL28: bipush 50 \nL30: isub \nL31: bipush 100 \nL33: bipush 100 \nL35: iconst_0 \nL36: sipush 360 \nL39: invokevirtual Method java/awt/Graphics drawArc (IIIIII)V \nL42: aload_1 \nL43: aload_0 \nL44: getfield Field Clock numberColor Ljava/awt/Color; \nL47: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V \nL50: aload_1 \nL51: ldc '9' \nL53: aload_0 \nL54: getfield Field Clock xcenter I \nL57: bipush 45 \nL59: isub \nL60: aload_0 \nL61: getfield Field Clock ycenter I \nL64: iconst_3 \nL65: iadd \nL66: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V \nL69: aload_1 \nL70: ldc '3' \nL72: aload_0 \nL73: getfield Field Clock xcenter I \nL76: bipush 40 \nL78: iadd \nL79: aload_0 \nL80: getfield Field Clock ycenter I \nL83: iconst_3 \nL84: iadd \nL85: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V \nL88: aload_1 \nL89: ldc '12' \nL91: aload_0 \nL92: getfield Field Clock xcenter I \nL95: iconst_5 \nL96: isub \nL97: aload_0 \nL98: getfield Field Clock ycenter I \nL101: bipush 37 \nL103: isub \nL104: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V \nL107: aload_1 \nL108: ldc '6' \nL110: aload_0 \nL111: getfield Field Clock xcenter I \nL114: iconst_3 \nL115: isub \nL116: aload_0 \nL117: getfield Field Clock ycenter I \nL120: bipush 45 \nL122: iadd \nL123: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V \nL126: aload_1 \nL127: aload_0 \nL128: getfield Field Clock numberColor Ljava/awt/Color; \nL131: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V \nL134: aload_1 \nL135: aload_0 \nL136: getfield Field Clock lastdate Ljava/lang/String; \nL139: iconst_5 \nL140: bipush 125 \nL142: invokevirtual Method java/awt/Graphics drawString (Ljava/lang/String;II)V \nL145: aload_1 \nL146: aload_0 \nL147: getfield Field Clock xcenter I \nL150: aload_0 \nL151: getfield Field Clock ycenter I \nL154: aload_0 \nL155: getfield Field Clock lastxs I \nL158: aload_0 \nL159: getfield Field Clock lastys I \nL162: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL165: aload_1 \nL166: aload_0 \nL167: getfield Field Clock handColor Ljava/awt/Color; \nL170: invokevirtual Method java/awt/Graphics setColor (Ljava/awt/Color;)V \nL173: aload_1 \nL174: aload_0 \nL175: getfield Field Clock xcenter I \nL178: aload_0 \nL179: getfield Field Clock ycenter I \nL182: iconst_1 \nL183: isub \nL184: aload_0 \nL185: getfield Field Clock lastxm I \nL188: aload_0 \nL189: getfield Field Clock lastym I \nL192: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL195: aload_1 \nL196: aload_0 \nL197: getfield Field Clock xcenter I \nL200: iconst_1 \nL201: isub \nL202: aload_0 \nL203: getfield Field Clock ycenter I \nL206: aload_0 \nL207: getfield Field Clock lastxm I \nL210: aload_0 \nL211: getfield Field Clock lastym I \nL214: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL217: aload_1 \nL218: aload_0 \nL219: getfield Field Clock xcenter I \nL222: aload_0 \nL223: getfield Field Clock ycenter I \nL226: iconst_1 \nL227: isub \nL228: aload_0 \nL229: getfield Field Clock lastxh I \nL232: aload_0 \nL233: getfield Field Clock lastyh I \nL236: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL239: aload_1 \nL240: aload_0 \nL241: getfield Field Clock xcenter I \nL244: iconst_1 \nL245: isub \nL246: aload_0 \nL247: getfield Field Clock ycenter I \nL250: aload_0 \nL251: getfield Field Clock lastxh I \nL254: aload_0 \nL255: getfield Field Clock lastyh I \nL258: invokevirtual Method java/awt/Graphics drawLine (IIII)V \nL261: return \nL262: \n .linenumbertable \n L0 186 \n L8 188 \n L16 189 \n L42 190 \n L50 191 \n L69 192 \n L88 193 \n L107 194 \n L126 197 \n L134 198 \n L145 199 \n L165 200 \n L173 201 \n L195 202 \n L217 203 \n L239 204 \n L261 205 \n .end linenumbertable \n .end code \n.end method \n\n.method public start : ()V \n .code stack 4 locals 1 \nL0: aload_0 \nL1: new java/lang/Thread \nL4: dup \nL5: aload_0 \nL6: invokespecial Method java/lang/Thread (Ljava/lang/Runnable;)V \nL9: putfield Field Clock timer Ljava/lang/Thread; \nL12: aload_0 \nL13: getfield Field Clock timer Ljava/lang/Thread; \nL16: invokevirtual Method java/lang/Thread start ()V \nL19: return \nL20: \n .linenumbertable \n L0 209 \n L12 210 \n L19 211 \n .end linenumbertable \n .end code \n.end method \n\n.method public stop : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: aconst_null \nL2: putfield Field Clock timer Ljava/lang/Thread; \nL5: return \nL6: \n .linenumbertable \n L0 215 \n L5 216 \n .end linenumbertable \n .end code \n.end method \n\n.method public run : ()V \n .code stack 2 locals 3 \nL0: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread; \nL3: astore_1 \n\n .stack append Object java/lang/Thread \nL4: aload_0 \nL5: getfield Field Clock timer Ljava/lang/Thread; \nL8: aload_1 \nL9: if_acmpne L29 \n .catch java/lang/InterruptedException from L12 to L18 using L21 \nL12: ldc2_w 100L \nL15: invokestatic Method java/lang/Thread sleep (J)V \nL18: goto L22 \n\n .stack stack_1 Object java/lang/InterruptedException \nL21: astore_2 \n\n .stack same \nL22: aload_0 \nL23: invokevirtual Method Clock repaint ()V \nL26: goto L4 \n\n .stack same \nL29: return \nL30: \n .linenumbertable \n L0 221 \n L4 222 \n L12 224 \n L18 226 \n L21 225 \n L22 227 \n L29 229 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAppletInfo : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: ldc 'Title: A Clock \\nAuthor: Rachel Gollub, 1995 \\nAn analog clock.' \nL2: areturn \nL3: \n .linenumbertable \n L0 233 \n .end linenumbertable \n .end code \n.end method \n\n.method public getParameterInfo : ()[[Ljava/lang/String; \n .code stack 7 locals 2 \nL0: iconst_3 \nL1: anewarray [Ljava/lang/String; \nL4: dup \nL5: iconst_0 \nL6: iconst_3 \nL7: anewarray java/lang/String \nL10: dup \nL11: iconst_0 \nL12: ldc 'bgcolor' \nL14: aastore \nL15: dup \nL16: iconst_1 \nL17: ldc 'hexadecimal RGB number' \nL19: aastore \nL20: dup \nL21: iconst_2 \nL22: ldc 'The background color. Default is the color of your browser.' \nL24: aastore \nL25: aastore \nL26: dup \nL27: iconst_1 \nL28: iconst_3 \nL29: anewarray java/lang/String \nL32: dup \nL33: iconst_0 \nL34: ldc 'fgcolor1' \nL36: aastore \nL37: dup \nL38: iconst_1 \nL39: ldc 'hexadecimal RGB number' \nL41: aastore \nL42: dup \nL43: iconst_2 \nL44: ldc 'The color of the hands and dial. Default is blue.' \nL46: aastore \nL47: aastore \nL48: dup \nL49: iconst_2 \nL50: iconst_3 \nL51: anewarray java/lang/String \nL54: dup \nL55: iconst_0 \nL56: ldc 'fgcolor2' \nL58: aastore \nL59: dup \nL60: iconst_1 \nL61: ldc 'hexadecimal RGB number' \nL63: aastore \nL64: dup \nL65: iconst_2 \nL66: ldc 'The color of the second hand and numbers. Default is dark gray.' \nL68: aastore \nL69: aastore \nL70: astore_1 \nL71: aload_1 \nL72: areturn \nL73: \n .linenumbertable \n L0 240 \n L71 248 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Clock.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 13:01:01 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.awt.HeadlessException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Clock_ESTest extends Clock_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Clock clock0 = null;\n try {\n clock0 = new Clock();\n fail(\"Expecting exception: HeadlessException\");\n \n } catch(HeadlessException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"java.applet.Applet\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 13:01:01 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Clock_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Clock\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp187jp8sy\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Clock_ESTest_scaffolding.class.getClassLoader() ,\n \"Clock\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Clock_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Clock\"\n );\n }\n}\n", "class_idx": 231} {"class_name": "AnswerpossibilityMatchsituationDTO", "java_source": "public class AnswerpossibilityMatchsituationDTO {\n\n int id;\n String text;\n int category;\n int ascending_order;\n\n public AnswerpossibilityMatchsituationDTO() {}\n\n public AnswerpossibilityMatchsituationDTO(\n int id, String text, int category, int ascending_order) {\n this.id = id;\n this.text = text;\n this.category = category;\n this.ascending_order = ascending_order;\n }\n\n public int getId() {\n return id;\n }\n\n public void setId(int id) {\n this.id = id;\n }\n\n public String getText() {\n return text;\n }\n\n public void setText(String text) {\n this.text = text;\n }\n\n public int getCategory() {\n return category;\n }\n\n public void setCategory(int category) {\n this.category = category;\n }\n\n public int getAscending_order() {\n return ascending_order;\n }\n\n public void setAscending_order(int ascending_order) {\n this.ascending_order = ascending_order;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super AnswerpossibilityMatchsituationDTO \n.super java/lang/Object \n.field id I \n.field text Ljava/lang/String; \n.field category I \n.field ascending_order I \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 10 \n L4 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (ILjava/lang/String;II)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field AnswerpossibilityMatchsituationDTO id I \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field AnswerpossibilityMatchsituationDTO text Ljava/lang/String; \nL14: aload_0 \nL15: iload_3 \nL16: putfield Field AnswerpossibilityMatchsituationDTO category I \nL19: aload_0 \nL20: iload 4 \nL22: putfield Field AnswerpossibilityMatchsituationDTO ascending_order I \nL25: return \nL26: \n .linenumbertable \n L0 13 \n L4 14 \n L9 15 \n L14 16 \n L19 17 \n L25 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AnswerpossibilityMatchsituationDTO id I \nL4: ireturn \nL5: \n .linenumbertable \n L0 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field AnswerpossibilityMatchsituationDTO id I \nL5: return \nL6: \n .linenumbertable \n L0 25 \n L5 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public getText : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AnswerpossibilityMatchsituationDTO text Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public setText : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field AnswerpossibilityMatchsituationDTO text Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 33 \n L5 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCategory : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AnswerpossibilityMatchsituationDTO category I \nL4: ireturn \nL5: \n .linenumbertable \n L0 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCategory : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field AnswerpossibilityMatchsituationDTO category I \nL5: return \nL6: \n .linenumbertable \n L0 41 \n L5 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAscending_order : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field AnswerpossibilityMatchsituationDTO ascending_order I \nL4: ireturn \nL5: \n .linenumbertable \n L0 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public setAscending_order : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field AnswerpossibilityMatchsituationDTO ascending_order I \nL5: return \nL6: \n .linenumbertable \n L0 49 \n L5 50 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'AnswerpossibilityMatchsituationDTO.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 03:02:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class AnswerpossibilityMatchsituationDTO_ESTest extends AnswerpossibilityMatchsituationDTO_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO(0, \"{i}}0;f_9GxAm!iF\\\",\", 0, (-24338));\n answerpossibilityMatchsituationDTO0.getText();\n assertEquals(0, answerpossibilityMatchsituationDTO0.getId());\n assertEquals(0, answerpossibilityMatchsituationDTO0.getCategory());\n assertEquals((-24338), answerpossibilityMatchsituationDTO0.getAscending_order());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.text = \"\";\n String string0 = answerpossibilityMatchsituationDTO0.getText();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.id = 57223;\n int int0 = answerpossibilityMatchsituationDTO0.getId();\n assertEquals(57223, int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO((-7572), \"\", 0, 0);\n int int0 = answerpossibilityMatchsituationDTO0.getId();\n assertEquals(0, answerpossibilityMatchsituationDTO0.getCategory());\n assertEquals((-7572), int0);\n assertEquals(0, answerpossibilityMatchsituationDTO0.getAscending_order());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO((-1), (String) null, (-1), 0);\n int int0 = answerpossibilityMatchsituationDTO0.getCategory();\n assertEquals((-1), answerpossibilityMatchsituationDTO0.getId());\n assertEquals((-1), int0);\n assertEquals(0, answerpossibilityMatchsituationDTO0.getAscending_order());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.ascending_order = 32085;\n int int0 = answerpossibilityMatchsituationDTO0.getAscending_order();\n assertEquals(32085, int0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.ascending_order = (-91049);\n int int0 = answerpossibilityMatchsituationDTO0.getAscending_order();\n assertEquals((-91049), int0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.setText(\"\");\n assertEquals(0, answerpossibilityMatchsituationDTO0.getCategory());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n int int0 = answerpossibilityMatchsituationDTO0.getId();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n int int0 = answerpossibilityMatchsituationDTO0.getAscending_order();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO(0, \"D<\", 0, (-3398));\n answerpossibilityMatchsituationDTO0.category = (-36124);\n answerpossibilityMatchsituationDTO0.category = 43015;\n int int0 = answerpossibilityMatchsituationDTO0.getCategory();\n assertEquals(43015, int0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.setAscending_order(0);\n assertEquals(0, answerpossibilityMatchsituationDTO0.getAscending_order());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.setId((-17437));\n assertEquals((-17437), answerpossibilityMatchsituationDTO0.getId());\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n int int0 = answerpossibilityMatchsituationDTO0.getCategory();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n answerpossibilityMatchsituationDTO0.setCategory(0);\n assertEquals(0, answerpossibilityMatchsituationDTO0.getCategory());\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n AnswerpossibilityMatchsituationDTO answerpossibilityMatchsituationDTO0 = new AnswerpossibilityMatchsituationDTO();\n String string0 = answerpossibilityMatchsituationDTO0.getText();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 03:02:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class AnswerpossibilityMatchsituationDTO_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"AnswerpossibilityMatchsituationDTO\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp_0akb8zl\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AnswerpossibilityMatchsituationDTO_ESTest_scaffolding.class.getClassLoader() ,\n \"AnswerpossibilityMatchsituationDTO\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AnswerpossibilityMatchsituationDTO_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"AnswerpossibilityMatchsituationDTO\"\n );\n }\n}\n", "class_idx": 232} {"class_name": "BitFlagItemOption", "java_source": "/*\n Copyright 2011 The darkyellow project at darkyellow.org\n All rights reserved\n\n This file is part of Nif Reader Code Generator\n\n Nif Reader Code Generator is free software: you can redistribute it\n and/or modify it under the terms of the GNU General Public License as\n published by the Free Software Foundation, either version 3 of the\n License, or (at your option) any later version.\n\n Nif Reader Code Generator is distributed in the hope that it will be useful,\n but WITHOUT ANY WARRANTY; without even the implied warranty of\n MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n GNU General Public License for more details.\n\n You should have received a copy of the GNU General Public License\n along with Nif Reader Code Generator. If not, see\n .\n*/\n\n/** Contains the details of each item in an bitflag */\npublic class BitFlagItemOption {\n private String name = \"\";\n private String description = \"\";\n private int value = -1;\n\n /**\n * @return the name\n */\n public String getName() {\n return name;\n }\n\n /**\n * @param name the name to set\n */\n public void setName(String name) {\n this.name = name.toUpperCase().replaceAll(\" \", \"_\");\n }\n\n /**\n * @return the description\n */\n public String getDescription() {\n return description;\n }\n\n /**\n * @param description the description to set\n */\n public void setDescription(String description) {\n this.description = description;\n }\n\n /**\n * @return the value\n */\n public int getValue() {\n return value;\n }\n\n /**\n * @param value the value to set\n */\n public void setValue(int value) {\n this.value = value;\n }\n\n /**\n * @return a string representation of the version object\n */\n public String toString() {\n String s = \"\";\n s =\n s\n + \"Name [\"\n + getName()\n + \"] Description [\"\n + getDescription()\n + \"] Value [ \"\n + getValue()\n + \"]\";\n return s;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BitFlagItemOption \n.super java/lang/Object \n.field private name Ljava/lang/String; \n.field private description Ljava/lang/String; \n.field private value I \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: ldc '' \nL7: putfield Field BitFlagItemOption name Ljava/lang/String; \nL10: aload_0 \nL11: ldc '' \nL13: putfield Field BitFlagItemOption description Ljava/lang/String; \nL16: aload_0 \nL17: iconst_m1 \nL18: putfield Field BitFlagItemOption value I \nL21: return \nL22: \n .linenumbertable \n L0 28 \n L4 30 \n L10 31 \n L16 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field BitFlagItemOption name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 39 \n .end linenumbertable \n .end code \n.end method \n\n.method public setName : (Ljava/lang/String;)V \n .code stack 4 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokevirtual Method java/lang/String toUpperCase ()Ljava/lang/String; \nL5: ldc ' ' \nL7: ldc '_' \nL9: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; \nL12: putfield Field BitFlagItemOption name Ljava/lang/String; \nL15: return \nL16: \n .linenumbertable \n L0 47 \n L15 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDescription : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field BitFlagItemOption description Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 55 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDescription : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field BitFlagItemOption description Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 63 \n L5 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public getValue : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field BitFlagItemOption value I \nL4: ireturn \nL5: \n .linenumbertable \n L0 71 \n .end linenumbertable \n .end code \n.end method \n\n.method public setValue : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field BitFlagItemOption value I \nL5: return \nL6: \n .linenumbertable \n L0 79 \n L5 80 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 2 \nL0: ldc '' \nL2: astore_1 \nL3: new java/lang/StringBuilder \nL6: dup \nL7: invokespecial Method java/lang/StringBuilder ()V \nL10: aload_1 \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: ldc 'Name [' \nL16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL19: aload_0 \nL20: invokevirtual Method BitFlagItemOption getName ()Ljava/lang/String; \nL23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL26: ldc '] Description [' \nL28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL31: aload_0 \nL32: invokevirtual Method BitFlagItemOption getDescription ()Ljava/lang/String; \nL35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL38: ldc '] Value [ ' \nL40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL43: aload_0 \nL44: invokevirtual Method BitFlagItemOption getValue ()I \nL47: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL50: ldc ']' \nL52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL58: astore_1 \nL59: aload_1 \nL60: areturn \nL61: \n .linenumbertable \n L0 87 \n L3 88 \n L59 89 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BitFlagItemOption.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 16:27:03 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BitFlagItemOption_ESTest extends BitFlagItemOption_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n assertEquals((-1), bitFlagItemOption0.getValue());\n \n bitFlagItemOption0.setValue(0);\n int int0 = bitFlagItemOption0.getValue();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n bitFlagItemOption0.setValue(61641);\n int int0 = bitFlagItemOption0.getValue();\n assertEquals(61641, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n bitFlagItemOption0.setName(\"Y6*=*j\");\n bitFlagItemOption0.getName();\n assertEquals(\"Y6*=*J\", bitFlagItemOption0.getName());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n bitFlagItemOption0.setDescription((String) null);\n bitFlagItemOption0.getDescription();\n assertEquals((-1), bitFlagItemOption0.getValue());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n bitFlagItemOption0.setDescription(\"Y6*=*j\");\n bitFlagItemOption0.getDescription();\n assertEquals((-1), bitFlagItemOption0.getValue());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n bitFlagItemOption0.getDescription();\n assertEquals((-1), bitFlagItemOption0.getValue());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n int int0 = bitFlagItemOption0.getValue();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n bitFlagItemOption0.getName();\n assertEquals((-1), bitFlagItemOption0.getValue());\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n BitFlagItemOption bitFlagItemOption0 = new BitFlagItemOption();\n String string0 = bitFlagItemOption0.toString();\n assertEquals(\"Name [] Description [] Value [ -1]\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 16:27:03 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BitFlagItemOption_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BitFlagItemOption\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkuflv7pe\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BitFlagItemOption_ESTest_scaffolding.class.getClassLoader() ,\n \"BitFlagItemOption\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BitFlagItemOption_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BitFlagItemOption\"\n );\n }\n}\n", "class_idx": 233} {"class_name": "GUID", "java_source": "/*\n * File: Math.uuid.js\n * Version: 1.3\n * Change History:\n * v1.0 - first release\n * v1.1 - less code and 2x performance boost (by minimizing calls to Math.random())\n * v1.2 - Add support for generating non-standard uuids of arbitrary length\n * v1.3 - Fixed IE7 bug (can't use []'s to access string chars. Thanks, Brian R.)\n * v1.4 - Changed method to be \"Math.uuid\". Added support for radix argument. Use module pattern for better\n * encapsulation.\n *\n * Latest version: http://www.broofa.com/Tools/Math.uuid.js\n * Information: http://www.broofa.com/blog/?p=151\n * Contact: robert@broofa.com\n * ----\n * Copyright (c) 2008, Robert Kieffer\n * All rights reserved.\n *\n * Redistribution and use in source and binary forms, with or without modification, are permitted provided that the\n * following conditions are met:\n *\n * * Redistributions of source code must retain the above copyright notice, this list of conditions and the\n * following disclaimer.\n * * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the\n * following disclaimer in the documentation and/or other materials provided with the distribution.\n * * Neither the name of Robert Kieffer nor the names of its contributors may be used to endorse or promote\n * products derived from this software without specific prior written permission.\n *\n * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\" AND ANY EXPRESS OR IMPLIED WARRANTIES,\n * INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\n * DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,\n * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY\n * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING\n * IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n *\n * The original name UUID() was renamed to GUID() to avoid duplicity\n */\npublic class GUID {\n private static final char[] CHARS =\n \"0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz\".toCharArray();\n\n /**\n * Generate a random uuid of the specified length. Example: uuid(15) returns \"VcydxgltxrVZSTV\"\n *\n * @param len the desired number of characters\n */\n public static String get(int len) {\n return get(len, CHARS.length);\n }\n\n /**\n * Generate a random uuid of the specified length, and radix. Examples:\n *\n *

    \n *
  • uuid(8, 2) returns \"01001010\" (8 character ID, base=2)\n *
  • uuid(8, 10) returns \"47473046\" (8 character ID, base=10)\n *
  • uuid(8, 16) returns \"098F4D35\" (8 character ID, base=16)\n *
\n *\n * @param len the desired number of characters\n * @param radix the number of allowable values for each character (must be <= 62)\n */\n public static String get(int len, int radix) {\n if (radix > CHARS.length) {\n throw new IllegalArgumentException();\n }\n char[] uuid = new char[len];\n // Compact form\n for (int i = 0; i < len; i++) {\n uuid[i] = CHARS[(int) (Math.random() * radix)];\n }\n return new String(uuid);\n }\n\n /** Generate a RFC4122, version 4 ID. Example: \"92329D39-6F5C-4520-ABFC-AAB64544E172\" */\n public static String get() {\n char[] uuid = new char[36];\n int r;\n\n // rfc4122 requires these characters\n uuid[8] = uuid[13] = uuid[18] = uuid[23] = '-';\n uuid[14] = '4';\n\n // Fill in random data. At i==19 set the high bits of clock sequence as\n // per rfc4122, sec. 4.1.5\n for (int i = 0; i < 36; i++) {\n if (uuid[i] == 0) {\n r = (int) (Math.random() * 16);\n uuid[i] = CHARS[(i == 19) ? (r & 0x3) | 0x8 : r & 0xf];\n }\n }\n return new String(uuid);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super GUID \n.super java/lang/Object \n.field private static final CHARS [C \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public static get : (I)Ljava/lang/String; \n .code stack 2 locals 1 \nL0: iload_0 \nL1: getstatic Field GUID CHARS [C \nL4: arraylength \nL5: invokestatic Method GUID get (II)Ljava/lang/String; \nL8: areturn \nL9: \n .linenumbertable \n L0 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public static get : (II)Ljava/lang/String; \n .code stack 7 locals 4 \nL0: iload_1 \nL1: getstatic Field GUID CHARS [C \nL4: arraylength \nL5: if_icmple L16 \nL8: new java/lang/IllegalArgumentException \nL11: dup \nL12: invokespecial Method java/lang/IllegalArgumentException ()V \nL15: athrow \n\n .stack same \nL16: iload_0 \nL17: newarray char \nL19: astore_2 \nL20: iconst_0 \nL21: istore_3 \n\n .stack append Object [C Integer \nL22: iload_3 \nL23: iload_0 \nL24: if_icmpge L47 \nL27: aload_2 \nL28: iload_3 \nL29: getstatic Field GUID CHARS [C \nL32: invokestatic Method java/lang/Math random ()D \nL35: iload_1 \nL36: i2d \nL37: dmul \nL38: d2i \nL39: caload \nL40: castore \nL41: iinc 3 1 \nL44: goto L22 \n\n .stack chop 1 \nL47: new java/lang/String \nL50: dup \nL51: aload_2 \nL52: invokespecial Method java/lang/String ([C)V \nL55: areturn \nL56: \n .linenumbertable \n L0 67 \n L8 68 \n L16 70 \n L20 72 \n L27 73 \n L41 72 \n L47 75 \n .end linenumbertable \n .end code \n.end method \n\n.method public static get : ()Ljava/lang/String; \n .code stack 10 locals 3 \nL0: bipush 36 \nL2: newarray char \nL4: astore_0 \nL5: aload_0 \nL6: bipush 8 \nL8: aload_0 \nL9: bipush 13 \nL11: aload_0 \nL12: bipush 18 \nL14: aload_0 \nL15: bipush 23 \nL17: bipush 45 \nL19: dup_x2 \nL20: castore \nL21: dup_x2 \nL22: castore \nL23: dup_x2 \nL24: castore \nL25: castore \nL26: aload_0 \nL27: bipush 14 \nL29: bipush 52 \nL31: castore \nL32: iconst_0 \nL33: istore_2 \n\n .stack append Object [C Top Integer \nL34: iload_2 \nL35: bipush 36 \nL37: if_icmpge L87 \nL40: aload_0 \nL41: iload_2 \nL42: caload \nL43: ifne L81 \nL46: invokestatic Method java/lang/Math random ()D \nL49: ldc2_w +16.0 \nL52: dmul \nL53: d2i \nL54: istore_1 \nL55: aload_0 \nL56: iload_2 \nL57: getstatic Field GUID CHARS [C \nL60: iload_2 \nL61: bipush 19 \nL63: if_icmpne L75 \nL66: iload_1 \nL67: iconst_3 \nL68: iand \nL69: bipush 8 \nL71: ior \nL72: goto L79 \n\n .stack full \n locals Object [C Integer Integer \n stack Object [C Integer Object [C \n .end stack \nL75: iload_1 \nL76: bipush 15 \nL78: iand \n\n .stack full \n locals Object [C Integer Integer \n stack Object [C Integer Object [C Integer \n .end stack \nL79: caload \nL80: castore \n\n .stack full \n locals Object [C Top Integer \n stack \n .end stack \nL81: iinc 2 1 \nL84: goto L34 \n\n .stack chop 2 \nL87: new java/lang/String \nL90: dup \nL91: aload_0 \nL92: invokespecial Method java/lang/String ([C)V \nL95: areturn \nL96: \n .linenumbertable \n L0 83 \n L5 87 \n L26 88 \n L32 92 \n L40 93 \n L46 94 \n L55 95 \n L81 92 \n L87 98 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: ldc '0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz' \nL2: invokevirtual Method java/lang/String toCharArray ()[C \nL5: putstatic Field GUID CHARS [C \nL8: return \nL9: \n .linenumbertable \n L0 42 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'GUID.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 18:39:38 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class GUID_ESTest extends GUID_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n GUID.get(1, (-24952));\n String string0 = GUID.get(1);\n assertEquals(\"6\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n int int0 = (-78377);\n // Undeclared exception!\n try { \n GUID.get((-78377));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"GUID\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n GUID.get();\n GUID gUID0 = new GUID();\n GUID.get(0, 0);\n GUID.get();\n GUID.get(0, (-1));\n GUID.get();\n GUID.get();\n GUID.get(0, 0);\n int int0 = 15133;\n // Undeclared exception!\n GUID.get(15133);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n GUID gUID0 = new GUID();\n // Undeclared exception!\n try { \n GUID.get((-40735), (-27490));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"GUID\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n GUID gUID0 = new GUID();\n GUID.get();\n // Undeclared exception!\n try { \n GUID.get((-660));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"GUID\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n GUID.get(0);\n int int0 = 0;\n GUID.get(0, 0);\n GUID.get();\n GUID.get(5911, 0);\n int int1 = 78816;\n // Undeclared exception!\n try { \n GUID.get(78816, 78816);\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"GUID\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n GUID gUID0 = new GUID();\n GUID.get(0);\n // Undeclared exception!\n try { \n GUID.get(46091, (-59191));\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n GUID.get();\n // Undeclared exception!\n try { \n GUID.get(35378, 35378);\n fail(\"Expecting exception: IllegalArgumentException\");\n \n } catch(IllegalArgumentException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"GUID\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n int int0 = (-96234);\n // Undeclared exception!\n try { \n GUID.get((-96234));\n fail(\"Expecting exception: NegativeArraySizeException\");\n \n } catch(NegativeArraySizeException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"GUID\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 18:39:38 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class GUID_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"GUID\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpx1umr8oo\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GUID_ESTest_scaffolding.class.getClassLoader() ,\n \"GUID\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GUID_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"GUID\"\n );\n }\n}\n", "class_idx": 234} {"class_name": "JavaIO", "java_source": "import java.io.FileInputStream;\nimport java.io.IOException;\nimport java.io.InputStream;\nimport java.net.Socket;\n\npublic class JavaIO {\n\n public static void main(String[] args) throws IOException {\n String fileName = \"D:/test.log\";\n InputStream inputStream = new FileInputStream(fileName);\n\n inputStream.read();\n\n Socket socket = new Socket();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super JavaIO \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 4 \nL0: ldc 'D:/test.log' \nL2: astore_1 \nL3: new java/io/FileInputStream \nL6: dup \nL7: aload_1 \nL8: invokespecial Method java/io/FileInputStream (Ljava/lang/String;)V \nL11: astore_2 \nL12: aload_2 \nL13: invokevirtual Method java/io/InputStream read ()I \nL16: pop \nL17: new java/net/Socket \nL20: dup \nL21: invokespecial Method java/net/Socket ()V \nL24: astore_3 \nL25: return \nL26: \n .linenumbertable \n L0 12 \n L3 13 \n L12 15 \n L17 17 \n L25 19 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'JavaIO.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 15:03:21 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.io.FileNotFoundException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class JavaIO_ESTest extends JavaIO_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[0];\n try { \n JavaIO.main(stringArray0);\n fail(\"Expecting exception: FileNotFoundException\");\n \n } catch(FileNotFoundException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"org.evosuite.runtime.mock.java.io.MockFileInputStream\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n JavaIO javaIO0 = new JavaIO();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 15:03:21 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class JavaIO_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"JavaIO\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpcl99nfyd\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JavaIO_ESTest_scaffolding.class.getClassLoader() ,\n \"JavaIO\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JavaIO_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"JavaIO\"\n );\n }\n}\n", "class_idx": 235} {"class_name": "Axis2RepoManagerUIConstants", "java_source": "/*\n * Copyright (c) 2005-2010, WSO2 Inc. (http://www.wso2.org) All Rights Reserved.\n *\n * WSO2 Inc. licenses this file to you under the Apache License,\n * Version 2.0 (the \"License\"); you may not use this file except\n * in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing,\n * software distributed under the License is distributed on an\n * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n * KIND, either express or implied. See the License for the\n * specific language governing permissions and limitations\n * under the License.\n */\n\n/** Axis2 repo manager UI constants are defined here */\npublic class Axis2RepoManagerUIConstants {\n /** The complete path leading to the selected directory eg - /server/axis2services/lib */\n public static final String SELECTED_DIR_PATH = \"selectedDirPath\";\n\n /** Reference to the selected directory name eg - axis2services */\n public static final String DIR_NAME = \"dirName\";\n\n /** The complete path to a jar that is to be deleted */\n public static final String DELETE_LIB_PATH = \"deleteLibPath\";\n\n /** The file extension of the Axis2 artifacts the jar is being used by */\n public static final String SERVICE_TYPE = \"deleteLibPath\";\n\n /** Reference to verify if a dependency was uploaded successfully to the repository */\n public static final String UPLOAD_STATUS = \"uploadStatus\";\n}\n", "jasm_code": ".version 52 0 \n.class public super Axis2RepoManagerUIConstants \n.super java/lang/Object \n.field public static final SELECTED_DIR_PATH Ljava/lang/String; = 'selectedDirPath' \n.field public static final DIR_NAME Ljava/lang/String; = 'dirName' \n.field public static final DELETE_LIB_PATH Ljava/lang/String; = 'deleteLibPath' \n.field public static final SERVICE_TYPE Ljava/lang/String; = 'deleteLibPath' \n.field public static final UPLOAD_STATUS Ljava/lang/String; = 'uploadStatus' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Axis2RepoManagerUIConstants.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 19:53:21 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Axis2RepoManagerUIConstants_ESTest extends Axis2RepoManagerUIConstants_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Axis2RepoManagerUIConstants axis2RepoManagerUIConstants0 = new Axis2RepoManagerUIConstants();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 19:53:21 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Axis2RepoManagerUIConstants_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Axis2RepoManagerUIConstants\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpho9togs7\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Axis2RepoManagerUIConstants_ESTest_scaffolding.class.getClassLoader() ,\n \"Axis2RepoManagerUIConstants\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Axis2RepoManagerUIConstants_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Axis2RepoManagerUIConstants\"\n );\n }\n}\n", "class_idx": 236} {"class_name": "DrawContext", "java_source": "/** Created by mike on 9/14/14. */\npublic class DrawContext {}\n", "jasm_code": ".version 52 0 \n.class public super DrawContext \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DrawContext.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 05:20:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DrawContext_ESTest extends DrawContext_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DrawContext drawContext0 = new DrawContext();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 05:20:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DrawContext_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DrawContext\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpntekaa0n\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DrawContext_ESTest_scaffolding.class.getClassLoader() ,\n \"DrawContext\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DrawContext_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DrawContext\"\n );\n }\n}\n", "class_idx": 237} {"class_name": "Person", "java_source": "public class Person {\n\n private static int nextId = 0;\n private int id;\n\n public Person() {\n id = nextId++;\n }\n\n public int getId() {\n return id;\n }\n\n @Override\n public boolean equals(Object o) {\n if (o instanceof Person) return this.id == ((Person) o).getId();\n return false;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Person \n.super java/lang/Object \n.field private static nextId I \n.field private id I \n\n.method public : ()V \n .code stack 4 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: getstatic Field Person nextId I \nL8: dup \nL9: iconst_1 \nL10: iadd \nL11: putstatic Field Person nextId I \nL14: putfield Field Person id I \nL17: return \nL18: \n .linenumbertable \n L0 9 \n L4 10 \n L17 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Person id I \nL4: ireturn \nL5: \n .linenumbertable \n L0 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 2 \nL0: aload_1 \nL1: instanceof Person \nL4: ifeq L27 \nL7: aload_0 \nL8: getfield Field Person id I \nL11: aload_1 \nL12: checkcast Person \nL15: invokevirtual Method Person getId ()I \nL18: if_icmpne L25 \nL21: iconst_1 \nL22: goto L26 \n\n .stack same \nL25: iconst_0 \n\n .stack stack_1 Integer \nL26: ireturn \n\n .stack same \nL27: iconst_0 \nL28: ireturn \nL29: \n .linenumbertable \n L0 19 \n L7 20 \n L27 21 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: iconst_0 \nL1: putstatic Field Person nextId I \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Person.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 11:09:07 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Person_ESTest extends Person_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Person person0 = new Person();\n Person person1 = new Person();\n boolean boolean0 = person1.equals(person0);\n assertEquals(1, person1.getId());\n assertFalse(boolean0);\n assertFalse(person0.equals((Object)person1));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Person person0 = new Person();\n Person person1 = new Person();\n int int0 = person1.getId();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Person person0 = new Person();\n int int0 = person0.getId();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Person person0 = new Person();\n Person person1 = new Person();\n boolean boolean0 = person0.equals(person1);\n assertEquals(1, person1.getId());\n assertFalse(person1.equals((Object)person0));\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Person person0 = new Person();\n Object object0 = new Object();\n boolean boolean0 = person0.equals(object0);\n assertFalse(boolean0);\n assertEquals(0, person0.getId());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Person person0 = new Person();\n boolean boolean0 = person0.equals(person0);\n assertEquals(0, person0.getId());\n assertTrue(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 11:09:07 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Person_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Person\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpyuo6vtc5\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Person_ESTest_scaffolding.class.getClassLoader() ,\n \"Person\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Person_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Person\"\n );\n }\n}\n", "class_idx": 238} {"class_name": "AdminReplaceCommand", "java_source": "/*\n * -------------------------------------------------------------------\n * Contact: a language and interactive shell for Riak\n *\n * Copyright (c) 2013 Dave Parfitt\n *\n * This file is provided to you under the Apache License,\n * Version 2.0 (the \"License\"); you may not use this file\n * except in compliance with the License. You may obtain\n * a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing,\n * software distributed under the License is distributed on an\n * \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY\n * KIND, either express or implied. See the License for the\n * specific language governing permissions and limitations\n * under the License.\n * -------------------------------------------------------------------\n */\n\npublic class AdminReplaceCommand {}\n", "jasm_code": ".version 52 0 \n.class public super AdminReplaceCommand \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'AdminReplaceCommand.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 17:53:43 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class AdminReplaceCommand_ESTest extends AdminReplaceCommand_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n AdminReplaceCommand adminReplaceCommand0 = new AdminReplaceCommand();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 17:53:43 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class AdminReplaceCommand_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"AdminReplaceCommand\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp2fleghht\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AdminReplaceCommand_ESTest_scaffolding.class.getClassLoader() ,\n \"AdminReplaceCommand\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AdminReplaceCommand_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"AdminReplaceCommand\"\n );\n }\n}\n", "class_idx": 239} {"class_name": "RevisionModel", "java_source": "/** Created by Chris on 2/17/2015. */\npublic class RevisionModel {\n private String revision;\n private String epoch;\n\n public String getRevision() {\n return revision;\n }\n\n public String getEpoch() {\n return epoch;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super RevisionModel \n.super java/lang/Object \n.field private revision Ljava/lang/String; \n.field private epoch Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public getRevision : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RevisionModel revision Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEpoch : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RevisionModel epoch Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'RevisionModel.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 20:17:12 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class RevisionModel_ESTest extends RevisionModel_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n RevisionModel revisionModel0 = new RevisionModel();\n String string0 = revisionModel0.getRevision();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n RevisionModel revisionModel0 = new RevisionModel();\n String string0 = revisionModel0.getEpoch();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 20:17:12 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class RevisionModel_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"RevisionModel\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpojyi3nip\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RevisionModel_ESTest_scaffolding.class.getClassLoader() ,\n \"RevisionModel\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RevisionModel_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"RevisionModel\"\n );\n }\n}\n", "class_idx": 240} {"class_name": "BatteryLifeTrain", "java_source": "import java.io.BufferedReader;\nimport java.io.InputStreamReader;\n\n/** Created by Sarika on 4/12/2015. */\npublic class BatteryLifeTrain {\n public static void main(String[] args) throws Exception {\n BufferedReader br = new BufferedReader(new InputStreamReader(System.in));\n String[] w;\n int N = 46;\n double[] features = new double[N];\n double[] values = new double[N];\n for (int i = 1; i < N; i++) {\n w = br.readLine().split(\" \");\n features[i] = Double.parseDouble(w[0]);\n values[i] = Double.parseDouble(w[1]);\n }\n\n // train 1\n double a1 = 0, b1 = 0, currVal = 0, diff;\n int iter = 10000;\n double eta = 0.001;\n for (int i = 0; i < iter; i++) {\n for (int j = 0; j < N - 10; j++) {\n // compute\n currVal = a1 * features[j] + b1;\n\n // update\n diff = values[j] - currVal;\n a1 = a1 + (eta * diff * features[j]);\n b1 = b1 + (eta * diff);\n }\n }\n System.out.println(\"Model 1: \" + a1 + \" . x + \" + b1);\n System.out.println(\"Error: \" + error(features, values, N - 10, N, a1, b1));\n\n // train 2\n double a2 = 0;\n double sumX = 0, sumY = 0;\n for (int j = 0; j < N - 10; j++) {\n sumX += features[j];\n sumY += values[j];\n }\n a2 = sumY / sumX;\n System.out.println(\"Model 2: \" + a2 + \" . x\");\n System.out.println(\"Error: \" + error(features, values, N - 10, N, a2, 0));\n }\n\n private static double error(\n double[] features, double[] values, int start, int end, double a, double b) {\n double errorSum = 0, error;\n for (int i = start; i < end; i++) {\n error = a * features[i] + b;\n error = values[i] - error;\n errorSum += error * error;\n }\n return (errorSum / (end - start));\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BatteryLifeTrain \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 10 locals 24 \nL0: new java/io/BufferedReader \nL3: dup \nL4: new java/io/InputStreamReader \nL7: dup \nL8: getstatic Field java/lang/System in Ljava/io/InputStream; \nL11: invokespecial Method java/io/InputStreamReader (Ljava/io/InputStream;)V \nL14: invokespecial Method java/io/BufferedReader (Ljava/io/Reader;)V \nL17: astore_1 \nL18: bipush 46 \nL20: istore_3 \nL21: iload_3 \nL22: newarray double \nL24: astore 4 \nL26: iload_3 \nL27: newarray double \nL29: astore 5 \nL31: iconst_1 \nL32: istore 6 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/io/BufferedReader Top Integer Object [D Object [D Integer \n stack \n .end stack \nL34: iload 6 \nL36: iload_3 \nL37: if_icmpge L78 \nL40: aload_1 \nL41: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String; \nL44: ldc ' ' \nL46: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; \nL49: astore_2 \nL50: aload 4 \nL52: iload 6 \nL54: aload_2 \nL55: iconst_0 \nL56: aaload \nL57: invokestatic Method java/lang/Double parseDouble (Ljava/lang/String;)D \nL60: dastore \nL61: aload 5 \nL63: iload 6 \nL65: aload_2 \nL66: iconst_1 \nL67: aaload \nL68: invokestatic Method java/lang/Double parseDouble (Ljava/lang/String;)D \nL71: dastore \nL72: iinc 6 1 \nL75: goto L34 \n\n .stack chop 1 \nL78: dconst_0 \nL79: dstore 6 \nL81: dconst_0 \nL82: dstore 8 \nL84: dconst_0 \nL85: dstore 10 \nL87: sipush 10000 \nL90: istore 14 \nL92: ldc2_w +0.001 \nL95: dstore 15 \nL97: iconst_0 \nL98: istore 17 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/io/BufferedReader Top Integer Object [D Object [D Double Double Double Top Top Integer Double Integer \n stack \n .end stack \nL100: iload 17 \nL102: iload 14 \nL104: if_icmpge L180 \nL107: iconst_0 \nL108: istore 18 \n\n .stack append Integer \nL110: iload 18 \nL112: iload_3 \nL113: bipush 10 \nL115: isub \nL116: if_icmpge L174 \nL119: dload 6 \nL121: aload 4 \nL123: iload 18 \nL125: daload \nL126: dmul \nL127: dload 8 \nL129: dadd \nL130: dstore 10 \nL132: aload 5 \nL134: iload 18 \nL136: daload \nL137: dload 10 \nL139: dsub \nL140: dstore 12 \nL142: dload 6 \nL144: dload 15 \nL146: dload 12 \nL148: dmul \nL149: aload 4 \nL151: iload 18 \nL153: daload \nL154: dmul \nL155: dadd \nL156: dstore 6 \nL158: dload 8 \nL160: dload 15 \nL162: dload 12 \nL164: dmul \nL165: dadd \nL166: dstore 8 \nL168: iinc 18 1 \nL171: goto L110 \n\n .stack chop 1 \nL174: iinc 17 1 \nL177: goto L100 \n\n .stack chop 1 \nL180: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL183: new java/lang/StringBuilder \nL186: dup \nL187: invokespecial Method java/lang/StringBuilder ()V \nL190: ldc 'Model 1: ' \nL192: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL195: dload 6 \nL197: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL200: ldc ' . x + ' \nL202: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL205: dload 8 \nL207: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL210: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL213: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL216: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL219: new java/lang/StringBuilder \nL222: dup \nL223: invokespecial Method java/lang/StringBuilder ()V \nL226: ldc 'Error: ' \nL228: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL231: aload 4 \nL233: aload 5 \nL235: iload_3 \nL236: bipush 10 \nL238: isub \nL239: iload_3 \nL240: dload 6 \nL242: dload 8 \nL244: invokestatic Method BatteryLifeTrain error ([D[DIIDD)D \nL247: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL250: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL253: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL256: dconst_0 \nL257: dstore 17 \nL259: dconst_0 \nL260: dstore 19 \nL262: dconst_0 \nL263: dstore 21 \nL265: iconst_0 \nL266: istore 23 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/io/BufferedReader Top Integer Object [D Object [D Double Double Double Top Top Integer Double Double Double Double Integer \n stack \n .end stack \nL268: iload 23 \nL270: iload_3 \nL271: bipush 10 \nL273: isub \nL274: if_icmpge L303 \nL277: dload 19 \nL279: aload 4 \nL281: iload 23 \nL283: daload \nL284: dadd \nL285: dstore 19 \nL287: dload 21 \nL289: aload 5 \nL291: iload 23 \nL293: daload \nL294: dadd \nL295: dstore 21 \nL297: iinc 23 1 \nL300: goto L268 \n\n .stack chop 1 \nL303: dload 21 \nL305: dload 19 \nL307: ddiv \nL308: dstore 17 \nL310: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL313: new java/lang/StringBuilder \nL316: dup \nL317: invokespecial Method java/lang/StringBuilder ()V \nL320: ldc 'Model 2: ' \nL322: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL325: dload 17 \nL327: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL330: ldc ' . x' \nL332: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL335: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL338: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL341: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL344: new java/lang/StringBuilder \nL347: dup \nL348: invokespecial Method java/lang/StringBuilder ()V \nL351: ldc 'Error: ' \nL353: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL356: aload 4 \nL358: aload 5 \nL360: iload_3 \nL361: bipush 10 \nL363: isub \nL364: iload_3 \nL365: dload 17 \nL367: dconst_0 \nL368: invokestatic Method BatteryLifeTrain error ([D[DIIDD)D \nL371: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; \nL374: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL377: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL380: return \nL381: \n .linenumbertable \n L0 9 \n L18 11 \n L21 12 \n L26 13 \n L31 14 \n L40 15 \n L50 16 \n L61 17 \n L72 14 \n L78 21 \n L87 22 \n L92 23 \n L97 24 \n L107 25 \n L119 27 \n L132 30 \n L142 31 \n L158 32 \n L168 25 \n L174 24 \n L180 35 \n L216 36 \n L256 39 \n L259 40 \n L265 41 \n L277 42 \n L287 43 \n L297 41 \n L303 45 \n L310 46 \n L341 47 \n L380 48 \n .end linenumbertable \n .end code \n .exceptions java/lang/Exception \n.end method \n\n.method private static error : ([D[DIIDD)D \n .code stack 6 locals 13 \nL0: dconst_0 \nL1: dstore 8 \nL3: iload_2 \nL4: istore 12 \n\n .stack full \n locals Object [D Object [D Integer Integer Double Double Double Top Top Integer \n stack \n .end stack \nL6: iload 12 \nL8: iload_3 \nL9: if_icmpge L49 \nL12: dload 4 \nL14: aload_0 \nL15: iload 12 \nL17: daload \nL18: dmul \nL19: dload 6 \nL21: dadd \nL22: dstore 10 \nL24: aload_1 \nL25: iload 12 \nL27: daload \nL28: dload 10 \nL30: dsub \nL31: dstore 10 \nL33: dload 8 \nL35: dload 10 \nL37: dload 10 \nL39: dmul \nL40: dadd \nL41: dstore 8 \nL43: iinc 12 1 \nL46: goto L6 \n\n .stack chop 3 \nL49: dload 8 \nL51: iload_3 \nL52: iload_2 \nL53: isub \nL54: i2d \nL55: ddiv \nL56: dreturn \nL57: \n .linenumbertable \n L0 51 \n L3 52 \n L12 53 \n L24 54 \n L33 55 \n L43 52 \n L49 57 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BatteryLifeTrain.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 03:12:27 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BatteryLifeTrain_ESTest extends BatteryLifeTrain_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[3];\n try { \n BatteryLifeTrain.main(stringArray0);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"BatteryLifeTrain\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n BatteryLifeTrain batteryLifeTrain0 = new BatteryLifeTrain();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 03:12:27 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BatteryLifeTrain_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BatteryLifeTrain\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmps589e_4w\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BatteryLifeTrain_ESTest_scaffolding.class.getClassLoader() ,\n \"BatteryLifeTrain\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BatteryLifeTrain_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BatteryLifeTrain\"\n );\n }\n}\n", "class_idx": 241} {"class_name": "Result", "java_source": "// Result class\n// Created by James Vanderhyde, 29 December 2014\n\nimport java.awt.Image;\n\n/**\n * A quiz result.\n *\n * @author James Vanderhyde\n */\npublic class Result {\n private final int id;\n private final String text;\n private final Image image;\n\n public Result(int id, String text) {\n this.id = id;\n this.text = text;\n this.image = null;\n }\n\n public int getId() {\n return id;\n }\n\n public String getText() {\n return text;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Result \n.super java/lang/Object \n.field private final id I \n.field private final text Ljava/lang/String; \n.field private final image Ljava/awt/Image; \n\n.method public : (ILjava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field Result id I \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field Result text Ljava/lang/String; \nL14: aload_0 \nL15: aconst_null \nL16: putfield Field Result image Ljava/awt/Image; \nL19: return \nL20: \n .linenumbertable \n L0 19 \n L4 20 \n L9 21 \n L14 22 \n L19 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Result id I \nL4: ireturn \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public getText : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Result text Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 32 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Result.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:52:41 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Result_ESTest extends Result_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Result result0 = new Result(0, (String) null);\n result0.getText();\n assertEquals(0, result0.getId());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Result result0 = new Result(0, \"Result\");\n result0.getText();\n assertEquals(0, result0.getId());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Result result0 = new Result(36766, \"\");\n int int0 = result0.getId();\n assertEquals(36766, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Result result0 = new Result((-1), \"tT[n\u007f/_Z5x\");\n int int0 = result0.getId();\n assertEquals((-1), int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Result result0 = new Result(0, \"\");\n int int0 = result0.getId();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Result result0 = new Result(0, \"\");\n result0.getText();\n assertEquals(0, result0.getId());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:52:41 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Result_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Result\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpaqc0uqxr\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Result_ESTest_scaffolding.class.getClassLoader() ,\n \"Result\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Result_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Result\"\n );\n }\n}\n", "class_idx": 242} {"class_name": "DummyTest", "java_source": "public class DummyTest {}\n", "jasm_code": ".version 52 0 \n.class public super DummyTest \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DummyTest.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 19:09:12 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DummyTest_ESTest extends DummyTest_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DummyTest dummyTest0 = new DummyTest();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 19:09:12 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DummyTest_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DummyTest\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp9tifsmg2\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DummyTest_ESTest_scaffolding.class.getClassLoader() ,\n \"DummyTest\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DummyTest_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DummyTest\"\n );\n }\n}\n", "class_idx": 243} {"class_name": "MockableRandom", "java_source": "/*\n * Licensed to the Apache Software Foundation (ASF) under one or more\n * contributor license agreements. See the NOTICE file distributed with\n * this work for additional information regarding copyright ownership.\n * The ASF licenses this file to You under the Apache License, Version 2.0\n * (the \"License\"); you may not use this file except in compliance with\n * the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.util.OptionalInt;\nimport java.util.Random;\nimport java.util.function.IntFunction;\n\n/**\n * A Random instance that makes it easy to modify the behavior of certain methods for test purposes.\n */\nclass MockableRandom extends Random {\n\n private IntFunction nextIntFunction = __ -> OptionalInt.empty();\n\n public MockableRandom(long seed) {\n super(seed);\n }\n\n public void mockNextInt(int expectedBound, int returnValue) {\n this.nextIntFunction =\n b -> {\n if (b == expectedBound) return OptionalInt.of(returnValue);\n else return OptionalInt.empty();\n };\n }\n\n public void mockNextInt(int returnValue) {\n this.nextIntFunction = __ -> OptionalInt.of(returnValue);\n }\n\n @Override\n public int nextInt(int bound) {\n return nextIntFunction.apply(bound).orElse(super.nextInt(bound));\n }\n}\n", "jasm_code": ".version 52 0 \n.class super MockableRandom \n.super java/util/Random \n.field private nextIntFunction Ljava/util/function/IntFunction; .fieldattributes \n .signature Ljava/util/function/IntFunction; \n.end fieldattributes \n\n.method public : (J)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: lload_1 \nL2: invokespecial Method java/util/Random (J)V \nL5: aload_0 \nL6: invokedynamic [id2] \nL11: putfield Field MockableRandom nextIntFunction Ljava/util/function/IntFunction; \nL14: return \nL15: \n .linenumbertable \n L0 31 \n L5 28 \n L14 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public mockNextInt : (II)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: iload_1 \nL2: iload_2 \nL3: invokedynamic [id4] \nL8: putfield Field MockableRandom nextIntFunction Ljava/util/function/IntFunction; \nL11: return \nL12: \n .linenumbertable \n L0 35 \n L11 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public mockNextInt : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: invokedynamic [id5] \nL7: putfield Field MockableRandom nextIntFunction Ljava/util/function/IntFunction; \nL10: return \nL11: \n .linenumbertable \n L0 44 \n L10 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public nextInt : (I)I \n .code stack 3 locals 2 \nL0: aload_0 \nL1: getfield Field MockableRandom nextIntFunction Ljava/util/function/IntFunction; \nL4: iload_1 \nL5: invokeinterface InterfaceMethod java/util/function/IntFunction apply (I)Ljava/lang/Object; 2 \nL10: checkcast java/util/OptionalInt \nL13: aload_0 \nL14: iload_1 \nL15: invokespecial Method java/util/Random nextInt (I)I \nL18: invokevirtual Method java/util/OptionalInt orElse (I)I \nL21: ireturn \nL22: \n .linenumbertable \n L0 49 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$mockNextInt$2 : (II)Ljava/util/OptionalInt; \n .code stack 1 locals 2 \nL0: iload_0 \nL1: invokestatic Method java/util/OptionalInt of (I)Ljava/util/OptionalInt; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$mockNextInt$1 : (III)Ljava/util/OptionalInt; \n .code stack 2 locals 3 \nL0: iload_2 \nL1: iload_0 \nL2: if_icmpne L10 \nL5: iload_1 \nL6: invokestatic Method java/util/OptionalInt of (I)Ljava/util/OptionalInt; \nL9: areturn \n\n .stack same \nL10: invokestatic Method java/util/OptionalInt empty ()Ljava/util/OptionalInt; \nL13: areturn \nL14: \n .linenumbertable \n L0 36 \n L5 37 \n L10 39 \n .end linenumbertable \n .end code \n.end method \n\n.method private static synthetic lambda$new$0 : (I)Ljava/util/OptionalInt; \n .code stack 1 locals 1 \nL0: invokestatic Method java/util/OptionalInt empty ()Ljava/util/OptionalInt; \nL3: areturn \nL4: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MockableRandom.java' \n.innerclasses \n java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final \n.end innerclasses \n.const [id2] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (I)Ljava/lang/Object; MethodHandle invokeStatic Method MockableRandom lambda$new$0 (I)Ljava/util/OptionalInt; MethodType (I)Ljava/util/OptionalInt; : apply ()Ljava/util/function/IntFunction; \n.const [id4] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (I)Ljava/lang/Object; MethodHandle invokeStatic Method MockableRandom lambda$mockNextInt$1 (III)Ljava/util/OptionalInt; MethodType (I)Ljava/util/OptionalInt; : apply (II)Ljava/util/function/IntFunction; \n.const [id5] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (I)Ljava/lang/Object; MethodHandle invokeStatic Method MockableRandom lambda$mockNextInt$2 (II)Ljava/util/OptionalInt; MethodType (I)Ljava/util/OptionalInt; : apply (I)Ljava/util/function/IntFunction; \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 16:28:12 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MockableRandom_ESTest extends MockableRandom_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MockableRandom mockableRandom0 = new MockableRandom((-126L));\n mockableRandom0.nextLong();\n int int0 = mockableRandom0.nextInt(17925);\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MockableRandom mockableRandom0 = new MockableRandom(26654L);\n mockableRandom0.mockNextInt((-63935), (-63935));\n int int0 = mockableRandom0.nextInt((-63935));\n assertEquals((-63935), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n MockableRandom mockableRandom0 = new MockableRandom((-126L));\n mockableRandom0.mockNextInt(1);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n MockableRandom mockableRandom0 = new MockableRandom((-126L));\n int int0 = mockableRandom0.nextInt(17925);\n assertEquals(0, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 16:28:12 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MockableRandom_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MockableRandom\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpr5787nz3\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MockableRandom_ESTest_scaffolding.class.getClassLoader() ,\n \"MockableRandom\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MockableRandom_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MockableRandom\"\n );\n }\n}\n", "class_idx": 244} {"class_name": "UnitTime", "java_source": "public class UnitTime {\n\n public UnitTime() {\n System.out.println(\"== TIME UNIT EXECUTED ==\");\n System.out.println(\"Choose the Tool:\");\n System.out.println(\"No Tools are activated\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UnitTime \n.super java/lang/Object \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL7: ldc '== TIME UNIT EXECUTED ==' \nL9: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL12: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL15: ldc 'Choose the Tool:' \nL17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL20: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL23: ldc 'No Tools are activated' \nL25: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL28: return \nL29: \n .linenumbertable \n L0 5 \n L4 6 \n L12 7 \n L20 8 \n L28 9 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UnitTime.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 01:21:05 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UnitTime_ESTest extends UnitTime_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UnitTime unitTime0 = new UnitTime();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 01:21:05 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UnitTime_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UnitTime\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpmim4cns2\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UnitTime_ESTest_scaffolding.class.getClassLoader() ,\n \"UnitTime\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UnitTime_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UnitTime\"\n );\n }\n}\n", "class_idx": 245} {"class_name": "ParseConfigurationFileException", "java_source": "/*\n * Copyright (C) Tony Green, LitePal Framework Open Source Project\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * Using SAX way parsing XML by default. If any problem happens when parsing the litepal.xml file,\n * ParseConfigurationFileException will be thrown.\n *\n * @author Tony Green\n * @since 1.0\n */\npublic class ParseConfigurationFileException extends RuntimeException {\n private static final long serialVersionUID = 1L;\n\n /** can not find the litepal.xml file by the given id. */\n public static final String CAN_NOT_FIND_LITEPAL_FILE =\n \"litepal.xml file is missing. Please ensure it under assets folder.\";\n\n /** can not parse the litepal.xml, check if it's in correct format. */\n public static final String FILE_FORMAT_IS_NOT_CORRECT =\n \"can not parse the litepal.xml, check if it's in correct format\";\n\n /** parse configuration is failed. */\n public static final String PARSE_CONFIG_FAILED = \"parse configuration is failed\";\n\n /** IO exception happened. */\n public static final String IO_EXCEPTION = \"IO exception happened\";\n\n /**\n * Constructor of ParseConfigurationFileException.\n *\n * @param errorMessage the description of this exception.\n */\n public ParseConfigurationFileException(String errorMessage) {\n super(errorMessage);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super ParseConfigurationFileException \n.super java/lang/RuntimeException \n.field private static final serialVersionUID J = 1L \n.field public static final CAN_NOT_FIND_LITEPAL_FILE Ljava/lang/String; = 'litepal.xml file is missing. Please ensure it under assets folder.' \n.field public static final FILE_FORMAT_IS_NOT_CORRECT Ljava/lang/String; = \"can not parse the litepal.xml, check if it's in correct format\" \n.field public static final PARSE_CONFIG_FAILED Ljava/lang/String; = 'parse configuration is failed' \n.field public static final IO_EXCEPTION Ljava/lang/String; = 'IO exception happened' \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 56 \n L5 57 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ParseConfigurationFileException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:13:37 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ParseConfigurationFileException_ESTest extends ParseConfigurationFileException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ParseConfigurationFileException parseConfigurationFileException0 = new ParseConfigurationFileException(\"S7a==@0xxa#U/~Z(]`s\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 22:13:37 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ParseConfigurationFileException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ParseConfigurationFileException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp4kb6l492\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ParseConfigurationFileException_ESTest_scaffolding.class.getClassLoader() ,\n \"ParseConfigurationFileException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ParseConfigurationFileException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ParseConfigurationFileException\"\n );\n }\n}\n", "class_idx": 246} {"class_name": "QueryStringDecoder", "java_source": "/*\n * oxAuth is available under the MIT License (2008). See http://opensource.org/licenses/MIT for full text.\n *\n * Copyright (c) 2014, Gluu\n */\n\nimport java.util.HashMap;\nimport java.util.Map;\n\n/**\n * Provides functionality to parse query strings.\n *\n * @author Javier Rojas Blum\n * @version November 24, 2017\n */\npublic class QueryStringDecoder {\n\n /**\n * Decodes a query string and returns a map with the parsed query string parameters as keys and\n * its values.\n *\n * @param queryString The query string.\n * @return A map with the parsed query string parameters and its values.\n */\n public static Map decode(String queryString) {\n Map map = new HashMap();\n\n if (queryString != null) {\n String[] params = queryString.split(\"&\");\n for (String param : params) {\n String[] nameValue = param.split(\"=\");\n String name = nameValue.length > 0 ? nameValue[0] : \"\";\n String value = nameValue.length > 1 ? nameValue[1] : \"\";\n map.put(name, value);\n }\n }\n\n return map;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super QueryStringDecoder \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public static decode : (Ljava/lang/String;)Ljava/util/Map; \n .code stack 3 locals 10 \nL0: new java/util/HashMap \nL3: dup \nL4: invokespecial Method java/util/HashMap ()V \nL7: astore_1 \nL8: aload_0 \nL9: ifnull L102 \nL12: aload_0 \nL13: ldc '&' \nL15: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; \nL18: astore_2 \nL19: aload_2 \nL20: astore_3 \nL21: aload_3 \nL22: arraylength \nL23: istore 4 \nL25: iconst_0 \nL26: istore 5 \n\n .stack full \n locals Object java/lang/String Object java/util/Map Object [Ljava/lang/String; Object [Ljava/lang/String; Integer Integer \n stack \n .end stack \nL28: iload 5 \nL30: iload 4 \nL32: if_icmpge L102 \nL35: aload_3 \nL36: iload 5 \nL38: aaload \nL39: astore 6 \nL41: aload 6 \nL43: ldc '=' \nL45: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; \nL48: astore 7 \nL50: aload 7 \nL52: arraylength \nL53: ifle L63 \nL56: aload 7 \nL58: iconst_0 \nL59: aaload \nL60: goto L65 \n\n .stack append Object java/lang/String Object [Ljava/lang/String; \nL63: ldc '' \n\n .stack stack_1 Object java/lang/String \nL65: astore 8 \nL67: aload 7 \nL69: arraylength \nL70: iconst_1 \nL71: if_icmple L81 \nL74: aload 7 \nL76: iconst_1 \nL77: aaload \nL78: goto L83 \n\n .stack append Object java/lang/String \nL81: ldc '' \n\n .stack stack_1 Object java/lang/String \nL83: astore 9 \nL85: aload_1 \nL86: aload 8 \nL88: aload 9 \nL90: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 \nL95: pop \nL96: iinc 5 1 \nL99: goto L28 \n\n .stack full \n locals Object java/lang/String Object java/util/Map \n stack \n .end stack \nL102: aload_1 \nL103: areturn \nL104: \n .linenumbertable \n L0 28 \n L8 30 \n L12 31 \n L19 32 \n L41 33 \n L50 34 \n L67 35 \n L85 36 \n L96 32 \n L102 40 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/String;)Ljava/util/Map; \n.end method \n.sourcefile 'QueryStringDecoder.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 05:39:33 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.Map;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class QueryStringDecoder_ESTest extends QueryStringDecoder_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Map map0 = QueryStringDecoder.decode(\"=\");\n Map map1 = QueryStringDecoder.decode(\"mG\");\n assertEquals(1, map1.size());\n assertFalse(map1.equals((Object)map0));\n \n Map map2 = QueryStringDecoder.decode((String) null);\n assertFalse(map2.equals((Object)map1));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Map map0 = QueryStringDecoder.decode(\">Ss3<]K=9~ub ^iV\");\n assertEquals(1, map0.size());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n QueryStringDecoder queryStringDecoder0 = new QueryStringDecoder();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 05:39:33 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class QueryStringDecoder_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"QueryStringDecoder\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpuccahysc\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(QueryStringDecoder_ESTest_scaffolding.class.getClassLoader() ,\n \"QueryStringDecoder\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(QueryStringDecoder_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"QueryStringDecoder\"\n );\n }\n}\n", "class_idx": 247} {"class_name": "ReflectionUtils", "java_source": "import java.lang.reflect.InvocationTargetException;\nimport java.lang.reflect.Method;\nimport java.util.Arrays;\n\npublic final class ReflectionUtils {\n\n private ReflectionUtils() {}\n\n public static Method findMethod(Class clazz, String methodName, Class... paramTypes) {\n if (clazz == null) {\n throw new NullPointerException(\"Class must not be null\");\n }\n if (methodName == null) {\n throw new NullPointerException(\"Method name must not be null\");\n }\n\n Class searchType = clazz;\n while (searchType != null) {\n Method[] methods =\n searchType.isInterface() ? searchType.getMethods() : searchType.getDeclaredMethods();\n for (Method method : methods) {\n if (methodName.equals(method.getName())\n && (paramTypes == null || Arrays.equals(paramTypes, method.getParameterTypes()))) {\n return method;\n }\n }\n searchType = searchType.getSuperclass();\n }\n return null;\n }\n\n public static Object invokeMethod(Method method, Object target) {\n return invokeMethod(method, target, new Object[0]);\n }\n\n public static Object invokeMethod(Method method, Object target, Object... args) {\n try {\n return method.invoke(target, args);\n } catch (Exception ex) {\n handleReflectionException(ex);\n }\n throw new IllegalStateException(\"Should never get here\");\n }\n\n public static void handleReflectionException(Exception ex) {\n if (ex instanceof NoSuchMethodException) {\n throw new IllegalStateException(\"Method not found: \" + ex.getMessage());\n }\n if (ex instanceof IllegalAccessException) {\n throw new IllegalStateException(\"Could not access method: \" + ex.getMessage());\n }\n if (ex instanceof InvocationTargetException) {\n handleInvocationTargetException((InvocationTargetException) ex);\n }\n if (ex instanceof RuntimeException) {\n throw (RuntimeException) ex;\n }\n handleUnexpectedException(ex);\n }\n\n public static void handleInvocationTargetException(InvocationTargetException ex) {\n rethrowRuntimeException(ex.getTargetException());\n }\n\n public static void rethrowRuntimeException(Throwable ex) {\n if (ex instanceof RuntimeException) {\n throw (RuntimeException) ex;\n }\n if (ex instanceof Error) {\n throw (Error) ex;\n }\n handleUnexpectedException(ex);\n }\n\n public static void rethrowException(Throwable ex) throws Exception {\n if (ex instanceof Exception) {\n throw (Exception) ex;\n }\n if (ex instanceof Error) {\n throw (Error) ex;\n }\n handleUnexpectedException(ex);\n }\n\n private static void handleUnexpectedException(Throwable ex) {\n throw new IllegalStateException(\"Unexpected exception thrown\", ex);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super ReflectionUtils \n.super java/lang/Object \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 9 \n L4 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public static varargs findMethod : (Ljava/lang/Class;Ljava/lang/String;[Ljava/lang/Class;)Ljava/lang/reflect/Method; \n .code stack 3 locals 9 \nL0: aload_0 \nL1: ifnonnull L14 \nL4: new java/lang/NullPointerException \nL7: dup \nL8: ldc 'Class must not be null' \nL10: invokespecial Method java/lang/NullPointerException (Ljava/lang/String;)V \nL13: athrow \n\n .stack same \nL14: aload_1 \nL15: ifnonnull L28 \nL18: new java/lang/NullPointerException \nL21: dup \nL22: ldc 'Method name must not be null' \nL24: invokespecial Method java/lang/NullPointerException (Ljava/lang/String;)V \nL27: athrow \n\n .stack same \nL28: aload_0 \nL29: astore_3 \n\n .stack append Object java/lang/Class \nL30: aload_3 \nL31: ifnull L125 \nL34: aload_3 \nL35: invokevirtual Method java/lang/Class isInterface ()Z \nL38: ifeq L48 \nL41: aload_3 \nL42: invokevirtual Method java/lang/Class getMethods ()[Ljava/lang/reflect/Method; \nL45: goto L52 \n\n .stack same \nL48: aload_3 \nL49: invokevirtual Method java/lang/Class getDeclaredMethods ()[Ljava/lang/reflect/Method; \n\n .stack stack_1 Object [Ljava/lang/reflect/Method; \nL52: astore 4 \nL54: aload 4 \nL56: astore 5 \nL58: aload 5 \nL60: arraylength \nL61: istore 6 \nL63: iconst_0 \nL64: istore 7 \n\n .stack full \n locals Object java/lang/Class Object java/lang/String Object [Ljava/lang/Class; Object java/lang/Class Object [Ljava/lang/reflect/Method; Object [Ljava/lang/reflect/Method; Integer Integer \n stack \n .end stack \nL66: iload 7 \nL68: iload 6 \nL70: if_icmpge L117 \nL73: aload 5 \nL75: iload 7 \nL77: aaload \nL78: astore 8 \nL80: aload_1 \nL81: aload 8 \nL83: invokevirtual Method java/lang/reflect/Method getName ()Ljava/lang/String; \nL86: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL89: ifeq L111 \nL92: aload_2 \nL93: ifnull L108 \nL96: aload_2 \nL97: aload 8 \nL99: invokevirtual Method java/lang/reflect/Method getParameterTypes ()[Ljava/lang/Class; \nL102: invokestatic Method java/util/Arrays equals ([Ljava/lang/Object;[Ljava/lang/Object;)Z \nL105: ifeq L111 \n\n .stack append Object java/lang/reflect/Method \nL108: aload 8 \nL110: areturn \n\n .stack chop 1 \nL111: iinc 7 1 \nL114: goto L66 \n\n .stack chop 3 \nL117: aload_3 \nL118: invokevirtual Method java/lang/Class getSuperclass ()Ljava/lang/Class; \nL121: astore_3 \nL122: goto L30 \n\n .stack chop 1 \nL125: aconst_null \nL126: areturn \nL127: \n .linenumbertable \n L0 13 \n L4 14 \n L14 16 \n L18 17 \n L28 20 \n L30 21 \n L34 22 \n L54 23 \n L80 24 \n L99 25 \n L108 26 \n L111 23 \n L117 29 \n L122 30 \n L125 31 \n .end linenumbertable \n .end code \n .signature (Ljava/lang/Class<*>;Ljava/lang/String;[Ljava/lang/Class<*>;)Ljava/lang/reflect/Method; \n.end method \n\n.method public static invokeMethod : (Ljava/lang/reflect/Method;Ljava/lang/Object;)Ljava/lang/Object; \n .code stack 3 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: iconst_0 \nL3: anewarray java/lang/Object \nL6: invokestatic Method ReflectionUtils invokeMethod (Ljava/lang/reflect/Method;Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object; \nL9: areturn \nL10: \n .linenumbertable \n L0 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public static varargs invokeMethod : (Ljava/lang/reflect/Method;Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object; \n .code stack 3 locals 4 \n .catch java/lang/Exception from L0 to L6 using L7 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokevirtual Method java/lang/reflect/Method invoke (Ljava/lang/Object;[Ljava/lang/Object;)Ljava/lang/Object; \nL6: areturn \n\n .stack stack_1 Object java/lang/Exception \nL7: astore_3 \nL8: aload_3 \nL9: invokestatic Method ReflectionUtils handleReflectionException (Ljava/lang/Exception;)V \nL12: new java/lang/IllegalStateException \nL15: dup \nL16: ldc 'Should never get here' \nL18: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;)V \nL21: athrow \nL22: \n .linenumbertable \n L0 40 \n L7 41 \n L8 42 \n L12 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public static handleReflectionException : (Ljava/lang/Exception;)V \n .code stack 4 locals 1 \nL0: aload_0 \nL1: instanceof java/lang/NoSuchMethodException \nL4: ifeq L37 \nL7: new java/lang/IllegalStateException \nL10: dup \nL11: new java/lang/StringBuilder \nL14: dup \nL15: invokespecial Method java/lang/StringBuilder ()V \nL18: ldc 'Method not found: ' \nL20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL23: aload_0 \nL24: invokevirtual Method java/lang/Exception getMessage ()Ljava/lang/String; \nL27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL30: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL33: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;)V \nL36: athrow \n\n .stack same \nL37: aload_0 \nL38: instanceof java/lang/IllegalAccessException \nL41: ifeq L74 \nL44: new java/lang/IllegalStateException \nL47: dup \nL48: new java/lang/StringBuilder \nL51: dup \nL52: invokespecial Method java/lang/StringBuilder ()V \nL55: ldc 'Could not access method: ' \nL57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL60: aload_0 \nL61: invokevirtual Method java/lang/Exception getMessage ()Ljava/lang/String; \nL64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL67: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL70: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;)V \nL73: athrow \n\n .stack same \nL74: aload_0 \nL75: instanceof java/lang/reflect/InvocationTargetException \nL78: ifeq L88 \nL81: aload_0 \nL82: checkcast java/lang/reflect/InvocationTargetException \nL85: invokestatic Method ReflectionUtils handleInvocationTargetException (Ljava/lang/reflect/InvocationTargetException;)V \n\n .stack same \nL88: aload_0 \nL89: instanceof java/lang/RuntimeException \nL92: ifeq L100 \nL95: aload_0 \nL96: checkcast java/lang/RuntimeException \nL99: athrow \n\n .stack same \nL100: aload_0 \nL101: invokestatic Method ReflectionUtils handleUnexpectedException (Ljava/lang/Throwable;)V \nL104: return \nL105: \n .linenumbertable \n L0 48 \n L7 49 \n L37 51 \n L44 52 \n L74 54 \n L81 55 \n L88 57 \n L95 58 \n L100 60 \n L104 61 \n .end linenumbertable \n .end code \n.end method \n\n.method public static handleInvocationTargetException : (Ljava/lang/reflect/InvocationTargetException;)V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method java/lang/reflect/InvocationTargetException getTargetException ()Ljava/lang/Throwable; \nL4: invokestatic Method ReflectionUtils rethrowRuntimeException (Ljava/lang/Throwable;)V \nL7: return \nL8: \n .linenumbertable \n L0 64 \n L7 65 \n .end linenumbertable \n .end code \n.end method \n\n.method public static rethrowRuntimeException : (Ljava/lang/Throwable;)V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: instanceof java/lang/RuntimeException \nL4: ifeq L12 \nL7: aload_0 \nL8: checkcast java/lang/RuntimeException \nL11: athrow \n\n .stack same \nL12: aload_0 \nL13: instanceof java/lang/Error \nL16: ifeq L24 \nL19: aload_0 \nL20: checkcast java/lang/Error \nL23: athrow \n\n .stack same \nL24: aload_0 \nL25: invokestatic Method ReflectionUtils handleUnexpectedException (Ljava/lang/Throwable;)V \nL28: return \nL29: \n .linenumbertable \n L0 68 \n L7 69 \n L12 71 \n L19 72 \n L24 74 \n L28 75 \n .end linenumbertable \n .end code \n.end method \n\n.method public static rethrowException : (Ljava/lang/Throwable;)V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: instanceof java/lang/Exception \nL4: ifeq L12 \nL7: aload_0 \nL8: checkcast java/lang/Exception \nL11: athrow \n\n .stack same \nL12: aload_0 \nL13: instanceof java/lang/Error \nL16: ifeq L24 \nL19: aload_0 \nL20: checkcast java/lang/Error \nL23: athrow \n\n .stack same \nL24: aload_0 \nL25: invokestatic Method ReflectionUtils handleUnexpectedException (Ljava/lang/Throwable;)V \nL28: return \nL29: \n .linenumbertable \n L0 78 \n L7 79 \n L12 81 \n L19 82 \n L24 84 \n L28 85 \n .end linenumbertable \n .end code \n .exceptions java/lang/Exception \n.end method \n\n.method private static handleUnexpectedException : (Ljava/lang/Throwable;)V \n .code stack 4 locals 1 \nL0: new java/lang/IllegalStateException \nL3: dup \nL4: ldc 'Unexpected exception thrown' \nL6: aload_0 \nL7: invokespecial Method java/lang/IllegalStateException (Ljava/lang/String;Ljava/lang/Throwable;)V \nL10: athrow \nL11: \n .linenumbertable \n L0 88 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ReflectionUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 18:41:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.lang.annotation.Annotation;\nimport java.lang.reflect.Array;\nimport java.lang.reflect.InvocationTargetException;\nimport java.lang.reflect.Method;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockError;\nimport org.evosuite.runtime.mock.java.lang.MockException;\nimport org.evosuite.runtime.mock.java.lang.MockIllegalAccessException;\nimport org.evosuite.runtime.mock.java.lang.MockRuntimeException;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ReflectionUtils_ESTest extends ReflectionUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n MockIllegalAccessException mockIllegalAccessException0 = new MockIllegalAccessException();\n // Undeclared exception!\n try { \n ReflectionUtils.handleReflectionException(mockIllegalAccessException0);\n fail(\"Expecting exception: IllegalStateException\");\n \n } catch(IllegalStateException e) {\n //\n // Could not access method: null\n //\n verifyException(\"ReflectionUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Class[] classArray0 = (Class[]) Array.newInstance(Class.class, 5);\n // Undeclared exception!\n try { \n ReflectionUtils.invokeMethod((Method) null, (Object) classArray0[1], (Object[]) classArray0);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"ReflectionUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Class class0 = Annotation.class;\n Class[] classArray0 = (Class[]) Array.newInstance(Class.class, 5);\n Class class1 = InvocationTargetException.class;\n ReflectionUtils.findMethod(class0, \"\", classArray0);\n // Undeclared exception!\n try { \n ReflectionUtils.invokeMethod((Method) null, (Object) class1, (Object[]) classArray0);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"ReflectionUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n NoSuchMethodException noSuchMethodException0 = new NoSuchMethodException();\n // Undeclared exception!\n try { \n ReflectionUtils.rethrowRuntimeException(noSuchMethodException0);\n fail(\"Expecting exception: IllegalStateException\");\n \n } catch(IllegalStateException e) {\n //\n // Unexpected exception thrown\n //\n verifyException(\"ReflectionUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n MockRuntimeException mockRuntimeException0 = new MockRuntimeException(\"WRO_x>\");\n // Undeclared exception!\n try { \n ReflectionUtils.handleReflectionException(mockRuntimeException0);\n fail(\"Expecting exception: RuntimeException\");\n \n } catch(RuntimeException e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n MockError mockError0 = new MockError();\n InvocationTargetException invocationTargetException0 = new InvocationTargetException(mockError0);\n // Undeclared exception!\n try { \n ReflectionUtils.handleInvocationTargetException(invocationTargetException0);\n fail(\"Expecting exception: Error\");\n \n } catch(Error e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n try { \n ReflectionUtils.rethrowException((Throwable) null);\n fail(\"Expecting exception: IllegalStateException\");\n \n } catch(IllegalStateException e) {\n //\n // Unexpected exception thrown\n //\n verifyException(\"ReflectionUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n MockThrowable mockThrowable0 = new MockThrowable(\"initCause\", (Throwable) null);\n MockException mockException0 = new MockException(mockThrowable0);\n MockRuntimeException mockRuntimeException0 = new MockRuntimeException(\"initCause\", mockException0);\n try { \n ReflectionUtils.rethrowException(mockRuntimeException0);\n fail(\"Expecting exception: RuntimeException\");\n \n } catch(RuntimeException e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n MockError mockError0 = new MockError(\"\");\n // Undeclared exception!\n try { \n ReflectionUtils.rethrowException(mockError0);\n fail(\"Expecting exception: Error\");\n \n } catch(Error e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n MockError mockError0 = new MockError(\"fYifwNxc4LyXHx\\\"W\", (Throwable) null);\n // Undeclared exception!\n try { \n ReflectionUtils.rethrowRuntimeException(mockError0);\n fail(\"Expecting exception: Error\");\n \n } catch(Error e) {\n }\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n MockRuntimeException mockRuntimeException0 = new MockRuntimeException(\"|DhI[] classArray0 = (Class[]) Array.newInstance(Class.class, 3);\n Class class0 = IllegalAccessException.class;\n classArray0[0] = class0;\n Class[] classArray1 = (Class[]) Array.newInstance(Class.class, 5);\n Method method0 = ReflectionUtils.findMethod(classArray0[0], \"clone\", classArray1);\n assertNull(method0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Class class0 = InvocationTargetException.class;\n // Undeclared exception!\n try { \n ReflectionUtils.findMethod(class0, (String) null, (Class[]) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // Method name must not be null\n //\n verifyException(\"ReflectionUtils\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n MockException mockException0 = new MockException(\"<&zk`>Q69(]O : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'TestUtils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 07:29:51 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class TestUtils_ESTest extends TestUtils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n TestUtils testUtils0 = new TestUtils();\n assertEquals(1.0E-9, TestUtils.TINY_DELTA, 1.0E-4);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 07:29:51 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class TestUtils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"TestUtils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpwgph3won\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestUtils_ESTest_scaffolding.class.getClassLoader() ,\n \"TestUtils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestUtils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"TestUtils\"\n );\n }\n}\n", "class_idx": 249} {"class_name": "CronExpression", "java_source": "/*\n * Copyright (c) 1998-2012 Caucho Technology -- all rights reserved\n *\n * This file is part of Resin(R) Open Source\n *\n * Each copy or derived work must preserve the copyright notice and this\n * notice unmodified.\n *\n * Resin Open Source is free software; you can redistribute it and/or modify\n * it under the terms of the GNU General Public License as published by\n * the Free Software Foundation; either version 2 of the License, or\n * (at your option) any later version.\n *\n * Resin Open Source is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE, or any warranty\n * of NON-INFRINGEMENT. See the GNU General Public License for more\n * details.\n *\n * You should have received a copy of the GNU General Public License\n * along with Resin Open Source; if not, write to the\n *\n * Free Software Foundation, Inc.\n * 59 Temple Place, Suite 330\n * Boston, MA 02111-1307 USA\n *\n * @author Reza Rahman\n */\n\nimport java.io.Serializable;\n\n/**\n * Cron expression.\n *\n * @author Reza Rahman\n */\npublic class CronExpression implements Serializable {\n private static final long serialVersionUID = 1L;\n\n private String _second;\n private String _minute;\n private String _hour;\n private String _dayOfWeek;\n private String _dayOfMonth;\n private String _month;\n private String _year;\n\n /**\n * Constructs a new cron expression.\n *\n * @param second Second part of cron expression.\n * @param minute Minute part of cron expression.\n * @param hour Hour part of cron expression.\n * @param dayOfWeek Day of week part of cron expression.\n * @param dayOfMonth Day of month part of cron expression.\n * @param month Month part of cron expression.\n * @param year Year part of cron expression.\n */\n public CronExpression(\n final String second,\n final String minute,\n final String hour,\n final String dayOfWeek,\n final String dayOfMonth,\n final String month,\n final String year) {\n _second = second;\n _minute = minute;\n _hour = hour;\n _dayOfWeek = dayOfWeek;\n _dayOfMonth = dayOfMonth;\n _month = month;\n _year = year;\n }\n\n /**\n * Gets the seconds expression.\n *\n * @return Seconds expression.\n */\n public String getSecond() {\n return _second;\n }\n\n /**\n * Gets the minutes expression.\n *\n * @return Minutes expression.\n */\n public String getMinute() {\n return _minute;\n }\n\n /**\n * Gets the hour expression.\n *\n * @return Hour expression.\n */\n public String getHour() {\n return _hour;\n }\n\n /**\n * Gets the day of week expression.\n *\n * @return Day of week expression.\n */\n public String getDayOfWeek() {\n return _dayOfWeek;\n }\n\n /**\n * Gets the day of month expression.\n *\n * @return Day of month expression.\n */\n public String getDayOfMonth() {\n return _dayOfMonth;\n }\n\n /**\n * Gets the month expression.\n *\n * @return Month expression.\n */\n public String getMonth() {\n return _month;\n }\n\n /**\n * Gets the year expression.\n *\n * @return Year expression.\n */\n public String getYear() {\n return _year;\n }\n\n @Override\n public String toString() {\n return String.format(\n \"cron expression[second: %s, minute: %s, hour: %s, day of week: %s, day of month: %s,\"\n + \" month: %s, year: %s]\",\n _second, _minute, _hour, _dayOfWeek, _dayOfMonth, _month, _year);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CronExpression \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = 1L \n.field private _second Ljava/lang/String; \n.field private _minute Ljava/lang/String; \n.field private _hour Ljava/lang/String; \n.field private _dayOfWeek Ljava/lang/String; \n.field private _dayOfMonth Ljava/lang/String; \n.field private _month Ljava/lang/String; \n.field private _year Ljava/lang/String; \n\n.method public : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 8 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field CronExpression _second Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field CronExpression _minute Ljava/lang/String; \nL14: aload_0 \nL15: aload_3 \nL16: putfield Field CronExpression _hour Ljava/lang/String; \nL19: aload_0 \nL20: aload 4 \nL22: putfield Field CronExpression _dayOfWeek Ljava/lang/String; \nL25: aload_0 \nL26: aload 5 \nL28: putfield Field CronExpression _dayOfMonth Ljava/lang/String; \nL31: aload_0 \nL32: aload 6 \nL34: putfield Field CronExpression _month Ljava/lang/String; \nL37: aload_0 \nL38: aload 7 \nL40: putfield Field CronExpression _year Ljava/lang/String; \nL43: return \nL44: \n .linenumbertable \n L0 70 \n L4 71 \n L9 72 \n L14 73 \n L19 74 \n L25 75 \n L31 76 \n L37 77 \n L43 78 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSecond : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CronExpression _second Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 87 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMinute : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CronExpression _minute Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 97 \n .end linenumbertable \n .end code \n.end method \n\n.method public getHour : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CronExpression _hour Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 107 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDayOfWeek : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CronExpression _dayOfWeek Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 117 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDayOfMonth : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CronExpression _dayOfMonth Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 127 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMonth : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CronExpression _month Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 137 \n .end linenumbertable \n .end code \n.end method \n\n.method public getYear : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CronExpression _year Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 147 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 5 locals 1 \nL0: ldc 'cron expression[second: %s, minute: %s, hour: %s, day of week: %s, day of month: %s, month: %s, year: %s]' \nL2: bipush 7 \nL4: anewarray java/lang/Object \nL7: dup \nL8: iconst_0 \nL9: aload_0 \nL10: getfield Field CronExpression _second Ljava/lang/String; \nL13: aastore \nL14: dup \nL15: iconst_1 \nL16: aload_0 \nL17: getfield Field CronExpression _minute Ljava/lang/String; \nL20: aastore \nL21: dup \nL22: iconst_2 \nL23: aload_0 \nL24: getfield Field CronExpression _hour Ljava/lang/String; \nL27: aastore \nL28: dup \nL29: iconst_3 \nL30: aload_0 \nL31: getfield Field CronExpression _dayOfWeek Ljava/lang/String; \nL34: aastore \nL35: dup \nL36: iconst_4 \nL37: aload_0 \nL38: getfield Field CronExpression _dayOfMonth Ljava/lang/String; \nL41: aastore \nL42: dup \nL43: iconst_5 \nL44: aload_0 \nL45: getfield Field CronExpression _month Ljava/lang/String; \nL48: aastore \nL49: dup \nL50: bipush 6 \nL52: aload_0 \nL53: getfield Field CronExpression _year Ljava/lang/String; \nL56: aastore \nL57: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; \nL60: areturn \nL61: \n .linenumbertable \n L0 153 \n L57 154 \n L60 153 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CronExpression.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 16:59:44 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CronExpression_ESTest extends CronExpression_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"$q*-|Nz}V4Y\", (String) null, \"LUu6,*;v\", \"$q*-|Nz}V4Y\", (String) null, \"z\\\"^G\", \"$q*-|Nz}V4Y\");\n cronExpression0.toString();\n cronExpression0.getDayOfMonth();\n cronExpression0.getMonth();\n cronExpression0.getSecond();\n cronExpression0.getDayOfWeek();\n cronExpression0.getHour();\n String string0 = cronExpression0.getMinute();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n CronExpression cronExpression0 = new CronExpression((String) null, \"fJD+|a*w&tCUx\", (String) null, \"fJD+|a*w&tCUx\", \"\", \"\", (String) null);\n String string0 = cronExpression0.getYear();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"&-$+Bqd9\", \"\", \"?\", \"&-$+Bqd9\", \"\", \"?\", \"6R;wEBo[eafJ?:1n;\");\n String string0 = cronExpression0.getYear();\n assertEquals(\"6R;wEBo[eafJ?:1n;\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n CronExpression cronExpression0 = new CronExpression((String) null, \"fJD+|a*w&tCUx\", (String) null, \"fJD+|a*w&tCUx\", \"\", \"\", (String) null);\n String string0 = cronExpression0.getSecond();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"\", \"\", \"\", \"\", \" ]FUd(x?>Wd\u007f!kBM\", \"\", \"\");\n String string0 = cronExpression0.getSecond();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"CronExpression\", \"CronExpression\", \"CronExpression\", \"24i5h*#kw1X%\u007fmZ\", (String) null, (String) null, \"cron expression[second: %s, minute: %s, hour: %s, day of week: %s, day of month: %s, month: %s, year: %s]\");\n String string0 = cronExpression0.getMonth();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"\", \"\", \"\", \"\", \" ]FUd(x?>Wd\u007f!kBM\", \"\", \"\");\n String string0 = cronExpression0.getMinute();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n CronExpression cronExpression0 = new CronExpression((String) null, \"fJD+|a*w&tCUx\", (String) null, \"fJD+|a*w&tCUx\", \"\", \"\", (String) null);\n String string0 = cronExpression0.getHour();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n CronExpression cronExpression0 = new CronExpression((String) null, (String) null, \"`W~DS)\", (String) null, \"\", \"`W~DS)\", \"\");\n String string0 = cronExpression0.getDayOfWeek();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"\", \"\", \"\", \"\", \" ]FUd(x?>Wd\u007f!kBM\", \"\", \"\");\n String string0 = cronExpression0.getDayOfMonth();\n assertEquals(\" ]FUd(x?>Wd\u007f!kBM\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"{(#>a2fH,CD%KP\\\"\", \"{(#>a2fH,CD%KP\\\"\", \"\", \"\", \"\", \"\", \"\");\n String string0 = cronExpression0.getMinute();\n assertEquals(\"{(#>a2fH,CD%KP\\\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"{(#>a2fH,CD%KP\\\"\", \"{(#>a2fH,CD%KP\\\"\", \"\", \"\", \"\", \"\", \"\");\n String string0 = cronExpression0.getYear();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"{(#>a2fH,CD%KP\\\"\", \"{(#>a2fH,CD%KP\\\"\", \"\", \"\", \"\", \"\", \"\");\n String string0 = cronExpression0.getMonth();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"{(#>a2fH,CD%KP\\\"\", \"{(#>a2fH,CD%KP\\\"\", \"\", \"\", \"\", \"\", \"\");\n String string0 = cronExpression0.getDayOfMonth();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"{(#>a2fH,CD%KP\\\"\", \"{(#>a2fH,CD%KP\\\"\", \"\", \"\", \"\", \"\", \"\");\n String string0 = cronExpression0.getHour();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n CronExpression cronExpression0 = new CronExpression(\"{(#>a2fH,CD%KP\\\"\", \"{(#>a2fH,CD%KP\\\"\", \"\", \"\", \"\", \"\", \"\");\n String string0 = cronExpression0.getDayOfWeek();\n assertEquals(\"\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 16:59:44 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CronExpression_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CronExpression\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmprspaxsng\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CronExpression_ESTest_scaffolding.class.getClassLoader() ,\n \"CronExpression\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CronExpression_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CronExpression\"\n );\n }\n}\n", "class_idx": 250} {"class_name": "Uninit5", "java_source": "// :: error: (initialization.fields.uninitialized)\npublic class Uninit5 {\n String x;\n}\n", "jasm_code": ".version 52 0 \n.class public super Uninit5 \n.super java/lang/Object \n.field x Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 2 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Uninit5.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 16:45:04 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Uninit5_ESTest extends Uninit5_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Uninit5 uninit5_0 = new Uninit5();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 16:45:04 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Uninit5_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Uninit5\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpqvk2phhn\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Uninit5_ESTest_scaffolding.class.getClassLoader() ,\n \"Uninit5\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Uninit5_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Uninit5\"\n );\n }\n}\n", "class_idx": 251} {"class_name": "QueryErrorException", "java_source": "import java.sql.SQLException;\n\npublic class QueryErrorException extends Exception {\n private static final long serialVersionUID = 1L;\n\n private final String queryId;\n\n public QueryErrorException(SQLException cause) {\n this(null, cause);\n }\n\n public QueryErrorException(String queryId, SQLException cause) {\n super(cause);\n this.queryId = queryId;\n }\n\n public String getQueryId() {\n return queryId;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super QueryErrorException \n.super java/lang/Exception \n.field private static final serialVersionUID J = 1L \n.field private final queryId Ljava/lang/String; \n\n.method public : (Ljava/sql/SQLException;)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: aconst_null \nL2: aload_1 \nL3: invokespecial Method QueryErrorException (Ljava/lang/String;Ljava/sql/SQLException;)V \nL6: return \nL7: \n .linenumbertable \n L0 11 \n L6 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/sql/SQLException;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_2 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: aload_0 \nL6: aload_1 \nL7: putfield Field QueryErrorException queryId Ljava/lang/String; \nL10: return \nL11: \n .linenumbertable \n L0 15 \n L5 16 \n L10 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public getQueryId : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field QueryErrorException queryId Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'QueryErrorException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 07:45:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.sql.SQLException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class QueryErrorException_ESTest extends QueryErrorException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SQLException sQLException0 = new SQLException((String) null, (Throwable) null);\n QueryErrorException queryErrorException0 = new QueryErrorException(\"\", sQLException0);\n String string0 = queryErrorException0.getQueryId();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SQLException sQLException0 = new SQLException(\"$,p.6u\");\n QueryErrorException queryErrorException0 = new QueryErrorException(sQLException0);\n String string0 = queryErrorException0.getQueryId();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SQLException sQLException0 = new SQLException(\"$,p.6u\");\n QueryErrorException queryErrorException0 = new QueryErrorException(\"$,p.6u\", sQLException0);\n String string0 = queryErrorException0.getQueryId();\n assertEquals(\"$,p.6u\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 07:45:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class QueryErrorException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"QueryErrorException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpaxmhigpe\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(QueryErrorException_ESTest_scaffolding.class.getClassLoader() ,\n \"QueryErrorException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(QueryErrorException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"QueryErrorException\"\n );\n }\n}\n", "class_idx": 252} {"class_name": "Services", "java_source": "/*\n * Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use this file except in compliance with\n * the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on\n * an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the\n * specific language governing permissions and limitations under the License.\n *\n * Copyright 2012-2019 the original author or authors.\n */\n\nimport static java.lang.String.format;\n\nimport java.util.Iterator;\nimport java.util.ServiceLoader;\n\n/**\n * A simple locator for SPI implementations.\n *\n * @author Filip Hrisafov\n */\nclass Services {\n\n private Services() {}\n\n public static SERVICE get(Class serviceType, SERVICE defaultValue) {\n\n Iterator services =\n ServiceLoader.load(serviceType, Services.class.getClassLoader()).iterator();\n\n SERVICE result = services.hasNext() ? services.next() : defaultValue;\n if (services.hasNext()) {\n result = defaultValue;\n System.err.println(\n format(\n \"Found multiple implementations for the service provider %s. Using the default: %s\",\n serviceType, result.getClass()));\n }\n return result;\n }\n}\n", "jasm_code": ".version 52 0 \n.class super Services \n.super java/lang/Object \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public static get : (Ljava/lang/Class;Ljava/lang/Object;)Ljava/lang/Object; \n .code stack 6 locals 4 \nL0: aload_0 \nL1: ldc Class Services \nL3: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader; \nL6: invokestatic Method java/util/ServiceLoader load (Ljava/lang/Class;Ljava/lang/ClassLoader;)Ljava/util/ServiceLoader; \nL9: invokevirtual Method java/util/ServiceLoader iterator ()Ljava/util/Iterator; \nL12: astore_2 \nL13: aload_2 \nL14: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL19: ifeq L31 \nL22: aload_2 \nL23: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 \nL28: goto L32 \n\n .stack append Object java/util/Iterator \nL31: aload_1 \n\n .stack stack_1 Object java/lang/Object \nL32: astore_3 \nL33: aload_2 \nL34: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 \nL39: ifeq L70 \nL42: aload_1 \nL43: astore_3 \nL44: getstatic Field java/lang/System err Ljava/io/PrintStream; \nL47: ldc 'Found multiple implementations for the service provider %s. Using the default: %s' \nL49: iconst_2 \nL50: anewarray java/lang/Object \nL53: dup \nL54: iconst_0 \nL55: aload_0 \nL56: aastore \nL57: dup \nL58: iconst_1 \nL59: aload_3 \nL60: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL63: aastore \nL64: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; \nL67: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \n\n .stack append Object java/lang/Object \nL70: aload_3 \nL71: areturn \nL72: \n .linenumbertable \n L0 31 \n L13 33 \n L33 34 \n L42 35 \n L44 36 \n L60 37 \n L64 36 \n L70 39 \n .end linenumbertable \n .end code \n .signature '(Ljava/lang/Class;TSERVICE;)TSERVICE;' \n.end method \n.sourcefile 'Services.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 12:52:19 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Services_ESTest extends Services_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Class class0 = String.class;\n Services.get(class0, (String) null);\n String string0 = Services.get(class0, \"*._n=pCe?K\");\n assertEquals(\"*._n=pCe?K\", string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Class class0 = Object.class;\n Object object0 = Services.get(class0, (Object) class0);\n assertEquals(\"class java.lang.Object\", object0.toString());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 12:52:19 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Services_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Services\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpi40dl346\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Services_ESTest_scaffolding.class.getClassLoader() ,\n \"Services\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Services_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Services\"\n );\n }\n}\n", "class_idx": 253} {"class_name": "CouchDatabaseException", "java_source": "/*\n Copyright 2012 Xebia Nederland B.V.\n\n Licensed under the Apache License, Version 2.0 (the \"License\");\n you may not use this file except in compliance with the License.\n You may obtain a copy of the License at\n\n http://www.apache.org/licenses/LICENSE-2.0\n\n Unless required by applicable law or agreed to in writing, software\n distributed under the License is distributed on an \"AS IS\" BASIS,\n WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n See the License for the specific language governing permissions and\n limitations under the License.\n*/\n\npublic class CouchDatabaseException extends RuntimeException {\n private static final long serialVersionUID = 1L;\n private final int responseCode;\n\n public CouchDatabaseException(int responseCode, String message) {\n super(message);\n this.responseCode = responseCode;\n }\n\n public int getResponseCode() {\n return responseCode;\n }\n\n @Override\n public String toString() {\n return CouchDatabaseException.class.getSimpleName()\n + \": HTTP \"\n + responseCode\n + \" \"\n + getMessage();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super CouchDatabaseException \n.super java/lang/RuntimeException \n.field private static final serialVersionUID J = 1L \n.field private final responseCode I \n\n.method public : (ILjava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_2 \nL2: invokespecial Method java/lang/RuntimeException (Ljava/lang/String;)V \nL5: aload_0 \nL6: iload_1 \nL7: putfield Field CouchDatabaseException responseCode I \nL10: return \nL11: \n .linenumbertable \n L0 23 \n L5 24 \n L10 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public getResponseCode : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field CouchDatabaseException responseCode I \nL4: ireturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc Class CouchDatabaseException \nL9: invokevirtual Method java/lang/Class getSimpleName ()Ljava/lang/String; \nL12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL15: ldc ': HTTP ' \nL17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL20: aload_0 \nL21: getfield Field CouchDatabaseException responseCode I \nL24: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL27: ldc ' ' \nL29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL32: aload_0 \nL33: invokevirtual Method CouchDatabaseException getMessage ()Ljava/lang/String; \nL36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL39: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL42: areturn \nL43: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CouchDatabaseException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 17:49:03 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CouchDatabaseException_ESTest extends CouchDatabaseException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CouchDatabaseException couchDatabaseException0 = new CouchDatabaseException(0, (String) null);\n int int0 = couchDatabaseException0.getResponseCode();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n CouchDatabaseException couchDatabaseException0 = new CouchDatabaseException((-48159), \"\");\n int int0 = couchDatabaseException0.getResponseCode();\n assertEquals((-48159), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n CouchDatabaseException couchDatabaseException0 = new CouchDatabaseException(0, \"<{bXpSg5yY3p(G;?:UB\");\n String string0 = couchDatabaseException0.toString();\n assertEquals(\"CouchDatabaseException: HTTP 0 <{bXpSg5yY3p(G;?:UB\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n CouchDatabaseException couchDatabaseException0 = new CouchDatabaseException(48533, (String) null);\n int int0 = couchDatabaseException0.getResponseCode();\n assertEquals(48533, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 17:49:03 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CouchDatabaseException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CouchDatabaseException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpvq2akwu2\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CouchDatabaseException_ESTest_scaffolding.class.getClassLoader() ,\n \"CouchDatabaseException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CouchDatabaseException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CouchDatabaseException\"\n );\n }\n}\n", "class_idx": 254} {"class_name": "RenderConstants", "java_source": "public class RenderConstants {\n\n /** Identifiers for our uniforms and attributes inside the shaders. */\n public static final String MVP_MATRIX_UNIFORM = \"uMVPMatrix\";\n\n public static final String MV_MATRIX_UNIFORM = \"uMVMatrix\";\n public static final String NORMAL_MATRIX_UNIFORM = \"uNormalMatrix\";\n public static final String LIGHT_POSITION_UNIFORM = \"uLightPos\";\n public static final String POSITION_ATTRIBUTE = \"aPosition\";\n public static final String NORMAL_ATTRIBUTE = \"aNormal\";\n public static final String COLOR_ATTRIBUTE = \"aColor\";\n public static final String TEX_COORDINATE = \"aTexCoordinate\";\n\n public static final String SHADOW_TEXTURE = \"uShadowTexture\";\n public static final String SHADOW_PROJ_MATRIX = \"uShadowProjMatrix\";\n public static final String SHADOW_X_PIXEL_OFFSET = \"uxPixelOffset\";\n public static final String SHADOW_Y_PIXEL_OFFSET = \"uyPixelOffset\";\n\n public static final String SHADOW_POSITION_ATTRIBUTE = \"aShadowPosition\";\n\n public static final String TEXTURE_UNIFORM = \"uTexture\";\n\n /** Additional constants. */\n public static final int FLOAT_SIZE_IN_BYTES = 4;\n\n public static final int SHORT_SIZE_IN_BYTES = 2;\n}\n", "jasm_code": ".version 52 0 \n.class public super RenderConstants \n.super java/lang/Object \n.field public static final MVP_MATRIX_UNIFORM Ljava/lang/String; = 'uMVPMatrix' \n.field public static final MV_MATRIX_UNIFORM Ljava/lang/String; = 'uMVMatrix' \n.field public static final NORMAL_MATRIX_UNIFORM Ljava/lang/String; = 'uNormalMatrix' \n.field public static final LIGHT_POSITION_UNIFORM Ljava/lang/String; = 'uLightPos' \n.field public static final POSITION_ATTRIBUTE Ljava/lang/String; = 'aPosition' \n.field public static final NORMAL_ATTRIBUTE Ljava/lang/String; = 'aNormal' \n.field public static final COLOR_ATTRIBUTE Ljava/lang/String; = 'aColor' \n.field public static final TEX_COORDINATE Ljava/lang/String; = 'aTexCoordinate' \n.field public static final SHADOW_TEXTURE Ljava/lang/String; = 'uShadowTexture' \n.field public static final SHADOW_PROJ_MATRIX Ljava/lang/String; = 'uShadowProjMatrix' \n.field public static final SHADOW_X_PIXEL_OFFSET Ljava/lang/String; = 'uxPixelOffset' \n.field public static final SHADOW_Y_PIXEL_OFFSET Ljava/lang/String; = 'uyPixelOffset' \n.field public static final SHADOW_POSITION_ATTRIBUTE Ljava/lang/String; = 'aShadowPosition' \n.field public static final TEXTURE_UNIFORM Ljava/lang/String; = 'uTexture' \n.field public static final FLOAT_SIZE_IN_BYTES I = 4 \n.field public static final SHORT_SIZE_IN_BYTES I = 2 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'RenderConstants.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 05:48:56 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class RenderConstants_ESTest extends RenderConstants_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n RenderConstants renderConstants0 = new RenderConstants();\n assertEquals(2, RenderConstants.SHORT_SIZE_IN_BYTES);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 05:48:56 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class RenderConstants_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"RenderConstants\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpgm1ffeda\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RenderConstants_ESTest_scaffolding.class.getClassLoader() ,\n \"RenderConstants\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RenderConstants_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"RenderConstants\"\n );\n }\n}\n", "class_idx": 255} {"class_name": "SA0201Form", "java_source": "import java.sql.Timestamp;\n\npublic class SA0201Form {\n\n public String getEventId() {\n return eventId;\n }\n\n public void setEventId(String eventId) {\n this.eventId = eventId;\n }\n\n public String getEventName() {\n return eventName;\n }\n\n public void setEventName(String eventName) {\n this.eventName = eventName;\n }\n\n public String getEventPersonnel() {\n return eventPersonnel;\n }\n\n public void setEventPersonnel(String eventPersonnel) {\n this.eventPersonnel = eventPersonnel;\n }\n\n public String getEventDatetime() {\n return eventDatetime;\n }\n\n public void setEventDatetime(String eventDatetime) {\n this.eventDatetime = eventDatetime;\n }\n\n public String getEventPlace() {\n return eventPlace;\n }\n\n public void setEventPlace(String eventPlace) {\n this.eventPlace = eventPlace;\n }\n\n public String getEventStatus() {\n return eventStatus;\n }\n\n public void setEventStatus(String eventStatus) {\n this.eventStatus = eventStatus;\n }\n\n public String getEventSummary() {\n return eventSummary;\n }\n\n public void setEventSummary(String eventSummary) {\n this.eventSummary = eventSummary;\n }\n\n public String getDeleteFlg() {\n return deleteFlg;\n }\n\n public void setDeleteFlg(String deleteFlg) {\n this.deleteFlg = deleteFlg;\n }\n\n public String getCreateUser() {\n return createUser;\n }\n\n public void setCreateUser(String createUser) {\n this.createUser = createUser;\n }\n\n public Timestamp getCreateDate() {\n return createDate;\n }\n\n public void setCreateDate(Timestamp createDate) {\n this.createDate = createDate;\n }\n\n public String getUpdateUser() {\n return updateUser;\n }\n\n public void setUpdateUser(String updateUser) {\n this.updateUser = updateUser;\n }\n\n public Timestamp getUpdateDate() {\n return updateDate;\n }\n\n public void setUpdateDate(Timestamp updateDate) {\n this.updateDate = updateDate;\n }\n\n public String eventId;\n /** */\n public String eventName;\n /** */\n public String eventPersonnel;\n /** */\n public String eventDatetime;\n /** */\n public String eventPlace;\n /** */\n public String eventStatus;\n /** */\n public String eventSummary;\n /** */\n public String deleteFlg;\n /** */\n public String createUser;\n /** */\n public Timestamp createDate;\n /** */\n public String updateUser;\n /** */\n public Timestamp updateDate;\n}\n", "jasm_code": ".version 52 0 \n.class public super SA0201Form \n.super java/lang/Object \n.field public eventId Ljava/lang/String; \n.field public eventName Ljava/lang/String; \n.field public eventPersonnel Ljava/lang/String; \n.field public eventDatetime Ljava/lang/String; \n.field public eventPlace Ljava/lang/String; \n.field public eventStatus Ljava/lang/String; \n.field public eventSummary Ljava/lang/String; \n.field public deleteFlg Ljava/lang/String; \n.field public createUser Ljava/lang/String; \n.field public createDate Ljava/sql/Timestamp; \n.field public updateUser Ljava/lang/String; \n.field public updateDate Ljava/sql/Timestamp; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventId : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form eventId Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventId : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form eventId Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 11 \n L5 12 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form eventName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 14 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form eventName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 17 \n L5 18 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventPersonnel : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form eventPersonnel Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventPersonnel : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form eventPersonnel Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 23 \n L5 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventDatetime : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form eventDatetime Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 26 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventDatetime : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form eventDatetime Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 29 \n L5 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventPlace : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form eventPlace Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventPlace : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form eventPlace Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 35 \n L5 36 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventStatus : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form eventStatus Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventStatus : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form eventStatus Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 41 \n L5 42 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEventSummary : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form eventSummary Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEventSummary : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form eventSummary Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 47 \n L5 48 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDeleteFlg : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form deleteFlg Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDeleteFlg : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form deleteFlg Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 53 \n L5 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCreateUser : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form createUser Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 56 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCreateUser : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form createUser Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 59 \n L5 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCreateDate : ()Ljava/sql/Timestamp; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form createDate Ljava/sql/Timestamp; \nL4: areturn \nL5: \n .linenumbertable \n L0 62 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCreateDate : (Ljava/sql/Timestamp;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form createDate Ljava/sql/Timestamp; \nL5: return \nL6: \n .linenumbertable \n L0 65 \n L5 66 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUpdateUser : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form updateUser Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setUpdateUser : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form updateUser Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 71 \n L5 72 \n .end linenumbertable \n .end code \n.end method \n\n.method public getUpdateDate : ()Ljava/sql/Timestamp; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field SA0201Form updateDate Ljava/sql/Timestamp; \nL4: areturn \nL5: \n .linenumbertable \n L0 74 \n .end linenumbertable \n .end code \n.end method \n\n.method public setUpdateDate : (Ljava/sql/Timestamp;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field SA0201Form updateDate Ljava/sql/Timestamp; \nL5: return \nL6: \n .linenumbertable \n L0 77 \n L5 78 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SA0201Form.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 20:14:02 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.sql.Timestamp;\nimport java.time.Clock;\nimport java.time.Instant;\nimport java.time.LocalDateTime;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.System;\nimport org.evosuite.runtime.mock.java.time.MockClock;\nimport org.evosuite.runtime.mock.java.time.MockInstant;\nimport org.evosuite.runtime.mock.java.time.MockLocalDateTime;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SA0201Form_ESTest extends SA0201Form_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.updateUser = \"Vs&i>H \";\n String string0 = sA0201Form0.getUpdateUser();\n assertEquals(\"Vs&i>H \", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setUpdateUser(\"\");\n String string0 = sA0201Form0.getUpdateUser();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n System.setCurrentTimeMillis(0L);\n SA0201Form sA0201Form0 = new SA0201Form();\n Clock clock0 = MockClock.systemDefaultZone();\n Instant instant0 = MockInstant.now(clock0);\n Timestamp timestamp0 = Timestamp.from(instant0);\n sA0201Form0.setUpdateDate(timestamp0);\n Timestamp timestamp1 = sA0201Form0.getUpdateDate();\n assertEquals(\"1970-01-01 00:00:00.0\", timestamp1.toString());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n Timestamp timestamp0 = new Timestamp(1L);\n sA0201Form0.updateDate = timestamp0;\n Timestamp timestamp1 = sA0201Form0.getUpdateDate();\n assertEquals(\"1970-01-01 00:00:00.001\", timestamp1.toString());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventSummary(\"bw=\");\n String string0 = sA0201Form0.getEventSummary();\n assertEquals(\"bw=\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventSummary(\"\");\n String string0 = sA0201Form0.getEventSummary();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.eventStatus = \"5N=CKj<_OIr8%2c,6<\";\n String string0 = sA0201Form0.getEventStatus();\n assertEquals(\"5N=CKj<_OIr8%2c,6<\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.eventStatus = \"\";\n String string0 = sA0201Form0.getEventStatus();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventPlace(\"mzBM|GN#tj?PgZ\");\n String string0 = sA0201Form0.getEventPlace();\n assertEquals(\"mzBM|GN#tj?PgZ\", string0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventPlace(\"\");\n String string0 = sA0201Form0.getEventPlace();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventPersonnel(\"mzBM|GN#tj?PgZ\");\n String string0 = sA0201Form0.getEventPersonnel();\n assertEquals(\"mzBM|GN#tj?PgZ\", string0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventPersonnel(\"\");\n String string0 = sA0201Form0.getEventPersonnel();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventName(\"Vs&i>H \");\n String string0 = sA0201Form0.getEventName();\n assertEquals(\"Vs&i>H \", string0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.eventName = \"\";\n String string0 = sA0201Form0.getEventName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.eventId = \"J\u007fLc\u007fV)4/cL\";\n String string0 = sA0201Form0.getEventId();\n assertEquals(\"J\u007fLc\u007fV)4/cL\", string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.eventId = \"\";\n String string0 = sA0201Form0.getEventId();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventDatetime(\"uIZ^P\");\n String string0 = sA0201Form0.getEventDatetime();\n assertEquals(\"uIZ^P\", string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventDatetime(\"\");\n String string0 = sA0201Form0.getEventDatetime();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.deleteFlg = \"6wyzboux1d\";\n String string0 = sA0201Form0.getDeleteFlg();\n assertEquals(\"6wyzboux1d\", string0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setDeleteFlg(\"\");\n String string0 = sA0201Form0.getDeleteFlg();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test20() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setCreateUser(\"vN\\\"eWG,X\");\n String string0 = sA0201Form0.getCreateUser();\n assertEquals(\"vN\\\"eWG,X\", string0);\n }\n\n @Test(timeout = 4000)\n public void test21() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setCreateUser(\"\");\n String string0 = sA0201Form0.getCreateUser();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test22() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n Timestamp timestamp0 = new Timestamp(0L);\n sA0201Form0.createDate = timestamp0;\n Timestamp timestamp1 = sA0201Form0.getCreateDate();\n assertEquals(\"1970-01-01 00:00:00.0\", timestamp1.toString());\n }\n\n @Test(timeout = 4000)\n public void test23() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n LocalDateTime localDateTime0 = MockLocalDateTime.now();\n Timestamp timestamp0 = Timestamp.valueOf(localDateTime0);\n sA0201Form0.setCreateDate(timestamp0);\n Timestamp timestamp1 = sA0201Form0.getCreateDate();\n assertEquals(320000000, timestamp1.getNanos());\n }\n\n @Test(timeout = 4000)\n public void test24() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getDeleteFlg();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test25() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getEventSummary();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test26() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getEventDatetime();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test27() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getCreateUser();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test28() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getUpdateUser();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test29() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n Timestamp timestamp0 = sA0201Form0.getUpdateDate();\n assertNull(timestamp0);\n }\n\n @Test(timeout = 4000)\n public void test30() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getEventPersonnel();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test31() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getEventPlace();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test32() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventStatus((String) null);\n assertNull(sA0201Form0.getDeleteFlg());\n }\n\n @Test(timeout = 4000)\n public void test33() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getEventName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test34() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getEventStatus();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test35() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n sA0201Form0.setEventId((String) null);\n assertNull(sA0201Form0.getEventDatetime());\n }\n\n @Test(timeout = 4000)\n public void test36() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n Timestamp timestamp0 = sA0201Form0.getCreateDate();\n assertNull(timestamp0);\n }\n\n @Test(timeout = 4000)\n public void test37() throws Throwable {\n SA0201Form sA0201Form0 = new SA0201Form();\n String string0 = sA0201Form0.getEventId();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 20:14:02 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SA0201Form_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SA0201Form\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp_gqhft5l\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SA0201Form_ESTest_scaffolding.class.getClassLoader() ,\n \"SA0201Form\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SA0201Form_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SA0201Form\"\n );\n }\n}\n", "class_idx": 256} {"class_name": "Configuration", "java_source": "/**\n * @author Robin Duda\n *

Configuration file for the application.\n */\npublic class Configuration {\n public static final int CONTROLLER_PORT = 6464;\n public static final int WEB_PORT = 8050;\n public static final String CONNECTION_STRING = \"mongodb://localhost:27017/\";\n public static final String DB_NAME = \"vote\";\n public static final String SERVER_NAME = \"server.admin-panel\";\n public static final byte[] CLIENT_SECRET = \"!!!!!!!!!!!client_secret!!!!!!!!!!\".getBytes();\n public static final byte[] SERVER_SECRET = \"!!!!!!!!!!!server_secret!!!!!!!!!!\".getBytes();\n}\n", "jasm_code": ".version 52 0 \n.class public super Configuration \n.super java/lang/Object \n.field public static final CONTROLLER_PORT I = 6464 \n.field public static final WEB_PORT I = 8050 \n.field public static final CONNECTION_STRING Ljava/lang/String; = 'mongodb://localhost:27017/' \n.field public static final DB_NAME Ljava/lang/String; = 'vote' \n.field public static final SERVER_NAME Ljava/lang/String; = 'server.admin-panel' \n.field public static final CLIENT_SECRET [B \n.field public static final SERVER_SECRET [B \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: ldc '!!!!!!!!!!!client_secret!!!!!!!!!!' \nL2: invokevirtual Method java/lang/String getBytes ()[B \nL5: putstatic Field Configuration CLIENT_SECRET [B \nL8: ldc '!!!!!!!!!!!server_secret!!!!!!!!!!' \nL10: invokevirtual Method java/lang/String getBytes ()[B \nL13: putstatic Field Configuration SERVER_SECRET [B \nL16: return \nL17: \n .linenumbertable \n L0 14 \n L8 15 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Configuration.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 18:55:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Configuration_ESTest extends Configuration_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Configuration configuration0 = new Configuration();\n assertEquals(6464, Configuration.CONTROLLER_PORT);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 18:55:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Configuration_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Configuration\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpi1e4evnb\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Configuration_ESTest_scaffolding.class.getClassLoader() ,\n \"Configuration\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Configuration_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Configuration\"\n );\n }\n}\n", "class_idx": 257} {"class_name": "UShardInfo", "java_source": "/*\n * Copyright (C) 2008 Search Solution Corporation. All rights reserved by Search Solution.\n *\n * Redistribution and use in source and binary forms, with or without modification,\n * are permitted provided that the following conditions are met:\n *\n * - Redistributions of source code must retain the above copyright notice,\n * this list of conditions and the following disclaimer.\n *\n * - Redistributions in binary form must reproduce the above copyright notice,\n * this list of conditions and the following disclaimer in the documentation\n * and/or other materials provided with the distribution.\n *\n * - Neither the name of the nor the names of its contributors\n * may be used to endorse or promote products derived from this software without\n * specific prior written permission.\n *\n * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\" AND\n * ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED\n * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.\n * IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,\n * INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,\n * BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA,\n * OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,\n * WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY\n * OF SUCH DAMAGE.\n *\n */\n\n/**\n * Title: CUBRID Java Client Interface\n *\n *

Description: CUBRID Java Client Interface\n *\n *

\n *\n * @version 2.0\n */\npublic class UShardInfo {\n public static final int SHARD_ID_INVALID = -1;\n public static final int SHARD_ID_UNSUPPORTED = -2;\n\n private int shardId;\n private String dbName;\n private String dbServer;\n\n UShardInfo(int shard_id) {\n shardId = shard_id;\n }\n\n public void setDBName(String db_name) {\n dbName = db_name;\n }\n\n public void setDBServer(String db_server) {\n dbServer = db_server;\n }\n\n public int getShardId() {\n return shardId;\n }\n\n public String getDBName() {\n return dbName;\n }\n\n public String getDBServer() {\n return dbServer;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UShardInfo \n.super java/lang/Object \n.field public static final SHARD_ID_INVALID I = -1 \n.field public static final SHARD_ID_UNSUPPORTED I = -2 \n.field private shardId I \n.field private dbName Ljava/lang/String; \n.field private dbServer Ljava/lang/String; \n\n.method : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field UShardInfo shardId I \nL9: return \nL10: \n .linenumbertable \n L0 47 \n L4 48 \n L9 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDBName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UShardInfo dbName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 52 \n L5 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public setDBServer : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field UShardInfo dbServer Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 56 \n L5 57 \n .end linenumbertable \n .end code \n.end method \n\n.method public getShardId : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UShardInfo shardId I \nL4: ireturn \nL5: \n .linenumbertable \n L0 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDBName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UShardInfo dbName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public getDBServer : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field UShardInfo dbServer Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UShardInfo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:48:56 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UShardInfo_ESTest extends UShardInfo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo(0);\n int int0 = uShardInfo0.getShardId();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo(6977);\n int int0 = uShardInfo0.getShardId();\n assertEquals(6977, int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo(6977);\n uShardInfo0.setDBServer(\"\\\"N'T,\\\"50\u007fEzWU4s\");\n uShardInfo0.getDBServer();\n assertEquals(6977, uShardInfo0.getShardId());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo(6977);\n uShardInfo0.setDBName(\"UShardInfo\");\n uShardInfo0.getDBName();\n assertEquals(6977, uShardInfo0.getShardId());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo((-11215));\n uShardInfo0.getDBName();\n assertEquals((-11215), uShardInfo0.getShardId());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo((-11215));\n uShardInfo0.setDBName(\"\");\n uShardInfo0.getDBName();\n assertEquals((-11215), uShardInfo0.getShardId());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo((-11215));\n uShardInfo0.getDBServer();\n assertEquals((-11215), uShardInfo0.getShardId());\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo((-11215));\n int int0 = uShardInfo0.getShardId();\n assertEquals((-11215), int0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n UShardInfo uShardInfo0 = new UShardInfo((-11215));\n uShardInfo0.setDBServer(\"\");\n uShardInfo0.getDBServer();\n assertEquals((-11215), uShardInfo0.getShardId());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:48:56 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UShardInfo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UShardInfo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp9bqgkxew\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UShardInfo_ESTest_scaffolding.class.getClassLoader() ,\n \"UShardInfo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UShardInfo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UShardInfo\"\n );\n }\n}\n", "class_idx": 258} {"class_name": "ActivityType", "java_source": "/**\n * Date: 25-Feb-2016\n *\n * @author T. Curran\n */\npublic class ActivityType {\n\n String name;\n}\n", "jasm_code": ".version 52 0 \n.class public super ActivityType \n.super java/lang/Object \n.field name Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ActivityType.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 13:06:01 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ActivityType_ESTest extends ActivityType_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n ActivityType activityType0 = new ActivityType();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 13:06:01 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ActivityType_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ActivityType\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpmyd8jnfk\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ActivityType_ESTest_scaffolding.class.getClassLoader() ,\n \"ActivityType\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ActivityType_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ActivityType\"\n );\n }\n}\n", "class_idx": 259} {"class_name": "IndividualInfo", "java_source": "import java.io.File;\nimport java.util.ArrayList;\nimport java.util.List;\nimport java.util.concurrent.locks.Lock;\nimport java.util.concurrent.locks.ReentrantReadWriteLock;\n\npublic class IndividualInfo {\n private String configfile = \"TestGranule.xml\";\n\n private String md5;\n\n private int version; // \u4e2a\u4f53\u6f14\u5316\u7684\u7248\u672c\u53f7,\u7a7a\u5b57\u7b26\u4e32\u4e3a\u521d\u59cb\u7248\u672c\n\n private List ports = new ArrayList();\n\n private static IndividualInfo instance = null;\n\n private String work_dir; // \u5de5\u4f5c\u76ee\u5f55\n\n private final ReentrantReadWriteLock rwl = new ReentrantReadWriteLock();\n private final Lock r = rwl.readLock();\n private final Lock w = rwl.writeLock();\n\n public String getWorkDirectory() {\n return work_dir;\n }\n\n public void setWorkDirectory(String work_dir) {\n this.work_dir = work_dir;\n }\n\n public static synchronized IndividualInfo getInstance() {\n if (instance == null) {\n instance = new IndividualInfo();\n }\n return instance;\n }\n\n private IndividualInfo() {\n version = 0;\n work_dir = getCurrentDirectory();\n }\n\n public String getConfigfile() {\n r.lock();\n try {\n return configfile;\n } finally {\n r.unlock();\n }\n }\n\n public void setConfigfile(String configfile) {\n w.lock();\n try {\n this.configfile = configfile;\n } finally {\n w.unlock();\n }\n }\n\n public String getMd5() {\n r.lock();\n try {\n return md5;\n } finally {\n r.unlock();\n }\n }\n\n public void setMd5(String md5) {\n w.lock();\n try {\n this.md5 = md5;\n } finally {\n w.unlock();\n }\n }\n\n public synchronized int getPort() {\n while (ports.size() == 0) {\n try {\n wait();\n } catch (InterruptedException e) {\n e.printStackTrace();\n }\n }\n int port = ports.get(0);\n ports.clear();\n notify();\n return port;\n }\n\n public synchronized void putPort(int port) {\n while (ports.size() == 1) {\n try {\n wait();\n } catch (InterruptedException e) {\n e.printStackTrace();\n }\n }\n ports.add(port);\n notify();\n }\n\n public String getCurrentDirectory() {\n return System.getProperty(\"user.dir\") + File.separator;\n }\n\n public void setVersion(int version) {\n try {\n w.lock();\n this.version = version;\n } finally {\n w.unlock();\n }\n }\n\n public int getVersion() {\n try {\n r.lock();\n return version;\n } finally {\n r.unlock();\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super IndividualInfo \n.super java/lang/Object \n.field private configfile Ljava/lang/String; \n.field private md5 Ljava/lang/String; \n.field private version I \n.field private ports Ljava/util/List; .fieldattributes \n .signature Ljava/util/List; \n.end fieldattributes \n.field private static instance LIndividualInfo; \n.field private work_dir Ljava/lang/String; \n.field private final rwl Ljava/util/concurrent/locks/ReentrantReadWriteLock; \n.field private final r Ljava/util/concurrent/locks/Lock; \n.field private final w Ljava/util/concurrent/locks/Lock; \n\n.method public getWorkDirectory : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field IndividualInfo work_dir Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 28 \n .end linenumbertable \n .end code \n.end method \n\n.method public setWorkDirectory : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field IndividualInfo work_dir Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 32 \n L5 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public static synchronized getInstance : ()LIndividualInfo; \n .code stack 2 locals 0 \nL0: getstatic Field IndividualInfo instance LIndividualInfo; \nL3: ifnonnull L16 \nL6: new IndividualInfo \nL9: dup \nL10: invokespecial Method IndividualInfo ()V \nL13: putstatic Field IndividualInfo instance LIndividualInfo; \n\n .stack same \nL16: getstatic Field IndividualInfo instance LIndividualInfo; \nL19: areturn \nL20: \n .linenumbertable \n L0 36 \n L6 37 \n L16 39 \n .end linenumbertable \n .end code \n.end method \n\n.method private : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: ldc 'TestGranule.xml' \nL7: putfield Field IndividualInfo configfile Ljava/lang/String; \nL10: aload_0 \nL11: new java/util/ArrayList \nL14: dup \nL15: invokespecial Method java/util/ArrayList ()V \nL18: putfield Field IndividualInfo ports Ljava/util/List; \nL21: aload_0 \nL22: new java/util/concurrent/locks/ReentrantReadWriteLock \nL25: dup \nL26: invokespecial Method java/util/concurrent/locks/ReentrantReadWriteLock ()V \nL29: putfield Field IndividualInfo rwl Ljava/util/concurrent/locks/ReentrantReadWriteLock; \nL32: aload_0 \nL33: aload_0 \nL34: getfield Field IndividualInfo rwl Ljava/util/concurrent/locks/ReentrantReadWriteLock; \nL37: invokevirtual Method java/util/concurrent/locks/ReentrantReadWriteLock readLock ()Ljava/util/concurrent/locks/ReentrantReadWriteLock$ReadLock; \nL40: putfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL43: aload_0 \nL44: aload_0 \nL45: getfield Field IndividualInfo rwl Ljava/util/concurrent/locks/ReentrantReadWriteLock; \nL48: invokevirtual Method java/util/concurrent/locks/ReentrantReadWriteLock writeLock ()Ljava/util/concurrent/locks/ReentrantReadWriteLock$WriteLock; \nL51: putfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL54: aload_0 \nL55: iconst_0 \nL56: putfield Field IndividualInfo version I \nL59: aload_0 \nL60: aload_0 \nL61: invokevirtual Method IndividualInfo getCurrentDirectory ()Ljava/lang/String; \nL64: putfield Field IndividualInfo work_dir Ljava/lang/String; \nL67: return \nL68: \n .linenumbertable \n L0 42 \n L4 10 \n L10 16 \n L21 22 \n L32 23 \n L43 24 \n L54 43 \n L59 44 \n L67 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public getConfigfile : ()Ljava/lang/String; \n .code stack 1 locals 3 \nL0: aload_0 \nL1: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL4: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock lock ()V 1 \n .catch [0] from L9 to L14 using L25 \nL9: aload_0 \nL10: getfield Field IndividualInfo configfile Ljava/lang/String; \nL13: astore_1 \nL14: aload_0 \nL15: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL18: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL23: aload_1 \nL24: areturn \n\n .stack stack_1 Object java/lang/Throwable \nL25: astore_2 \nL26: aload_0 \nL27: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL30: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL35: aload_2 \nL36: athrow \nL37: \n .linenumbertable \n L0 48 \n L9 50 \n L14 52 \n L23 50 \n L25 52 \n L35 53 \n .end linenumbertable \n .end code \n.end method \n\n.method public setConfigfile : (Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL4: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock lock ()V 1 \n .catch [0] from L9 to L14 using L26 \nL9: aload_0 \nL10: aload_1 \nL11: putfield Field IndividualInfo configfile Ljava/lang/String; \nL14: aload_0 \nL15: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL18: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL23: goto L38 \n\n .stack stack_1 Object java/lang/Throwable \nL26: astore_2 \nL27: aload_0 \nL28: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL31: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL36: aload_2 \nL37: athrow \n\n .stack same \nL38: return \nL39: \n .linenumbertable \n L0 57 \n L9 59 \n L14 61 \n L23 62 \n L26 61 \n L36 62 \n L38 63 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMd5 : ()Ljava/lang/String; \n .code stack 1 locals 3 \nL0: aload_0 \nL1: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL4: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock lock ()V 1 \n .catch [0] from L9 to L14 using L25 \nL9: aload_0 \nL10: getfield Field IndividualInfo md5 Ljava/lang/String; \nL13: astore_1 \nL14: aload_0 \nL15: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL18: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL23: aload_1 \nL24: areturn \n\n .stack stack_1 Object java/lang/Throwable \nL25: astore_2 \nL26: aload_0 \nL27: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL30: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL35: aload_2 \nL36: athrow \nL37: \n .linenumbertable \n L0 66 \n L9 68 \n L14 70 \n L23 68 \n L25 70 \n L35 71 \n .end linenumbertable \n .end code \n.end method \n\n.method public setMd5 : (Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL4: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock lock ()V 1 \n .catch [0] from L9 to L14 using L26 \nL9: aload_0 \nL10: aload_1 \nL11: putfield Field IndividualInfo md5 Ljava/lang/String; \nL14: aload_0 \nL15: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL18: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL23: goto L38 \n\n .stack stack_1 Object java/lang/Throwable \nL26: astore_2 \nL27: aload_0 \nL28: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL31: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL36: aload_2 \nL37: athrow \n\n .stack same \nL38: return \nL39: \n .linenumbertable \n L0 75 \n L9 77 \n L14 79 \n L23 80 \n L26 79 \n L36 80 \n L38 81 \n .end linenumbertable \n .end code \n.end method \n\n.method public synchronized getPort : ()I \n .code stack 2 locals 2 \n\n .stack same \nL0: aload_0 \nL1: getfield Field IndividualInfo ports Ljava/util/List; \nL4: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL9: ifne L27 \n .catch java/lang/InterruptedException from L12 to L16 using L19 \nL12: aload_0 \nL13: invokevirtual Method java/lang/Object wait ()V \nL16: goto L0 \n\n .stack stack_1 Object java/lang/InterruptedException \nL19: astore_1 \nL20: aload_1 \nL21: invokevirtual Method java/lang/InterruptedException printStackTrace ()V \nL24: goto L0 \n\n .stack same \nL27: aload_0 \nL28: getfield Field IndividualInfo ports Ljava/util/List; \nL31: iconst_0 \nL32: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 \nL37: checkcast java/lang/Integer \nL40: invokevirtual Method java/lang/Integer intValue ()I \nL43: istore_1 \nL44: aload_0 \nL45: getfield Field IndividualInfo ports Ljava/util/List; \nL48: invokeinterface InterfaceMethod java/util/List clear ()V 1 \nL53: aload_0 \nL54: invokevirtual Method java/lang/Object notify ()V \nL57: iload_1 \nL58: ireturn \nL59: \n .linenumbertable \n L0 84 \n L12 86 \n L16 89 \n L19 87 \n L20 88 \n L24 89 \n L27 91 \n L44 92 \n L53 93 \n L57 94 \n .end linenumbertable \n .end code \n.end method \n\n.method public synchronized putPort : (I)V \n .code stack 2 locals 3 \n\n .stack same \nL0: aload_0 \nL1: getfield Field IndividualInfo ports Ljava/util/List; \nL4: invokeinterface InterfaceMethod java/util/List size ()I 1 \nL9: iconst_1 \nL10: if_icmpne L28 \n .catch java/lang/InterruptedException from L13 to L17 using L20 \nL13: aload_0 \nL14: invokevirtual Method java/lang/Object wait ()V \nL17: goto L0 \n\n .stack stack_1 Object java/lang/InterruptedException \nL20: astore_2 \nL21: aload_2 \nL22: invokevirtual Method java/lang/InterruptedException printStackTrace ()V \nL25: goto L0 \n\n .stack same \nL28: aload_0 \nL29: getfield Field IndividualInfo ports Ljava/util/List; \nL32: iload_1 \nL33: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL36: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 \nL41: pop \nL42: aload_0 \nL43: invokevirtual Method java/lang/Object notify ()V \nL46: return \nL47: \n .linenumbertable \n L0 98 \n L13 100 \n L17 103 \n L20 101 \n L21 102 \n L25 103 \n L28 105 \n L42 106 \n L46 107 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCurrentDirectory : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'user.dir' \nL9: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String; \nL12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL15: getstatic Field java/io/File separator Ljava/lang/String; \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL24: areturn \nL25: \n .linenumbertable \n L0 110 \n .end linenumbertable \n .end code \n.end method \n\n.method public setVersion : (I)V \n .code stack 2 locals 3 \n .catch [0] from L0 to L14 using L26 \nL0: aload_0 \nL1: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL4: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock lock ()V 1 \nL9: aload_0 \nL10: iload_1 \nL11: putfield Field IndividualInfo version I \nL14: aload_0 \nL15: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL18: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL23: goto L38 \n\n .stack stack_1 Object java/lang/Throwable \nL26: astore_2 \nL27: aload_0 \nL28: getfield Field IndividualInfo w Ljava/util/concurrent/locks/Lock; \nL31: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL36: aload_2 \nL37: athrow \n\n .stack same \nL38: return \nL39: \n .linenumbertable \n L0 115 \n L9 116 \n L14 118 \n L23 119 \n L26 118 \n L36 119 \n L38 120 \n .end linenumbertable \n .end code \n.end method \n\n.method public getVersion : ()I \n .code stack 1 locals 3 \n .catch [0] from L0 to L14 using L25 \nL0: aload_0 \nL1: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL4: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock lock ()V 1 \nL9: aload_0 \nL10: getfield Field IndividualInfo version I \nL13: istore_1 \nL14: aload_0 \nL15: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL18: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL23: iload_1 \nL24: ireturn \n\n .stack stack_1 Object java/lang/Throwable \nL25: astore_2 \nL26: aload_0 \nL27: getfield Field IndividualInfo r Ljava/util/concurrent/locks/Lock; \nL30: invokeinterface InterfaceMethod java/util/concurrent/locks/Lock unlock ()V 1 \nL35: aload_2 \nL36: athrow \nL37: \n .linenumbertable \n L0 124 \n L9 125 \n L14 127 \n L23 125 \n L25 127 \n L35 128 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: aconst_null \nL1: putstatic Field IndividualInfo instance LIndividualInfo; \nL4: return \nL5: \n .linenumbertable \n L0 18 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'IndividualInfo.java' \n.innerclasses \n java/util/concurrent/locks/ReentrantReadWriteLock$ReadLock java/util/concurrent/locks/ReentrantReadWriteLock ReadLock public static \n java/util/concurrent/locks/ReentrantReadWriteLock$WriteLock java/util/concurrent/locks/ReentrantReadWriteLock WriteLock public static \n.end innerclasses \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 04:30:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class IndividualInfo_ESTest extends IndividualInfo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n individualInfo0.setWorkDirectory((String) null);\n String string0 = individualInfo0.getWorkDirectory();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n individualInfo0.setVersion((-31090));\n int int0 = individualInfo0.getVersion();\n assertEquals((-31090), int0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n String string0 = individualInfo0.getCurrentDirectory();\n assertEquals(\"/tmp/tmpa9r8bh6f/\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n individualInfo0.putPort(3562);\n assertEquals(\"/tmp/tmpa9r8bh6f/\", individualInfo0.getWorkDirectory());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n IndividualInfo individualInfo1 = IndividualInfo.getInstance();\n individualInfo1.getMd5();\n String string0 = individualInfo0.getConfigfile();\n assertEquals(\"TestGranule.xml\", string0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n String string0 = individualInfo0.getWorkDirectory();\n assertEquals(\"/tmp/tmpa9r8bh6f/\", string0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n individualInfo0.setConfigfile(\"\");\n String string0 = individualInfo0.getConfigfile();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n int int0 = individualInfo0.getVersion();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n IndividualInfo individualInfo0 = IndividualInfo.getInstance();\n individualInfo0.setMd5(\"JhD\");\n String string0 = individualInfo0.getMd5();\n assertEquals(\"JhD\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 04:30:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class IndividualInfo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"IndividualInfo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpa9r8bh6f\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IndividualInfo_ESTest_scaffolding.class.getClassLoader() ,\n \"IndividualInfo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IndividualInfo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"IndividualInfo\"\n );\n }\n}\n", "class_idx": 260} {"class_name": "BoardCell", "java_source": "/**\n * @author Peyman Jahani \n * @version 1.0\n * @since 2012-03-25\n */\npublic class BoardCell {\n private static final String[] colorType = {\n \"unset\", \"Blue\", \"White\", \"Green\", \"Orange\", \"Violet\", \"Red\"\n };\n private int colorCode = 0;\n private int[] branches;\n private int cordinateX;\n private int cordinateY;\n\n /**\n * Constructor\n *\n *

Make a BoardCell with given information\n *\n * @param color Color of cell\n * @param branches Cell branches\n */\n public BoardCell(String color, int[] branches, int cordinateX, int cordinateY) {\n for (int i = 0; i < colorType.length; i++) if (color.equals(colorType[i])) colorCode = i;\n this.branches = branches;\n this.cordinateX = cordinateX;\n this.cordinateY = cordinateY;\n }\n\n /**\n * Returns cell color\n *\n * @return Cell color\n */\n public String getColor() {\n return colorType[colorCode];\n }\n\n /**\n * Returns cell branches\n *\n * @return Cell branches\n */\n public int[] getBranches() {\n return branches;\n }\n\n public int getX() {\n return cordinateX;\n }\n\n public int getY() {\n return cordinateY;\n }\n\n /**\n * Return Blue cells name\n *\n * @return Blue cells name\n */\n public static final String getBlueColor() {\n return colorType[1];\n }\n\n public static final String getWhiteColor() {\n return colorType[2];\n }\n\n public static final String getGreenColor() {\n return colorType[3];\n }\n\n /**\n * Return Orange cells name\n *\n * @return Orange cells name\n */\n public static final String getOrangeColor() {\n return colorType[4];\n }\n\n /**\n * Return Violet cells name\n *\n * @return Violet cells name\n */\n public static final String getVioletColor() {\n return colorType[5];\n }\n\n /**\n * Return Red cells name\n *\n * @return Red cells name\n */\n public static final String getRedColor() {\n return colorType[6];\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BoardCell \n.super java/lang/Object \n.field private static final colorType [Ljava/lang/String; \n.field private colorCode I \n.field private branches [I \n.field private cordinateX I \n.field private cordinateY I \n\n.method public : (Ljava/lang/String;[III)V \n .code stack 3 locals 6 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field BoardCell colorCode I \nL9: iconst_0 \nL10: istore 5 \n\n .stack full \n locals Object BoardCell Object java/lang/String Object [I Integer Integer Integer \n stack \n .end stack \nL12: iload 5 \nL14: getstatic Field BoardCell colorType [Ljava/lang/String; \nL17: arraylength \nL18: if_icmpge L46 \nL21: aload_1 \nL22: getstatic Field BoardCell colorType [Ljava/lang/String; \nL25: iload 5 \nL27: aaload \nL28: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL31: ifeq L40 \nL34: aload_0 \nL35: iload 5 \nL37: putfield Field BoardCell colorCode I \n\n .stack same \nL40: iinc 5 1 \nL43: goto L12 \n\n .stack chop 1 \nL46: aload_0 \nL47: aload_2 \nL48: putfield Field BoardCell branches [I \nL51: aload_0 \nL52: iload_3 \nL53: putfield Field BoardCell cordinateX I \nL56: aload_0 \nL57: iload 4 \nL59: putfield Field BoardCell cordinateY I \nL62: return \nL63: \n .linenumbertable \n L0 26 \n L4 11 \n L9 27 \n L21 28 \n L34 29 \n L40 27 \n L46 30 \n L51 31 \n L56 32 \n L62 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public getColor : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: getstatic Field BoardCell colorType [Ljava/lang/String; \nL3: aload_0 \nL4: getfield Field BoardCell colorCode I \nL7: aaload \nL8: areturn \nL9: \n .linenumbertable \n L0 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBranches : ()[I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field BoardCell branches [I \nL4: areturn \nL5: \n .linenumbertable \n L0 50 \n .end linenumbertable \n .end code \n.end method \n\n.method public getX : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field BoardCell cordinateX I \nL4: ireturn \nL5: \n .linenumbertable \n L0 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public getY : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field BoardCell cordinateY I \nL4: ireturn \nL5: \n .linenumbertable \n L0 57 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final getBlueColor : ()Ljava/lang/String; \n .code stack 2 locals 0 \nL0: getstatic Field BoardCell colorType [Ljava/lang/String; \nL3: iconst_1 \nL4: aaload \nL5: areturn \nL6: \n .linenumbertable \n L0 66 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final getWhiteColor : ()Ljava/lang/String; \n .code stack 2 locals 0 \nL0: getstatic Field BoardCell colorType [Ljava/lang/String; \nL3: iconst_2 \nL4: aaload \nL5: areturn \nL6: \n .linenumbertable \n L0 71 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final getGreenColor : ()Ljava/lang/String; \n .code stack 2 locals 0 \nL0: getstatic Field BoardCell colorType [Ljava/lang/String; \nL3: iconst_3 \nL4: aaload \nL5: areturn \nL6: \n .linenumbertable \n L0 75 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final getOrangeColor : ()Ljava/lang/String; \n .code stack 2 locals 0 \nL0: getstatic Field BoardCell colorType [Ljava/lang/String; \nL3: iconst_4 \nL4: aaload \nL5: areturn \nL6: \n .linenumbertable \n L0 85 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final getVioletColor : ()Ljava/lang/String; \n .code stack 2 locals 0 \nL0: getstatic Field BoardCell colorType [Ljava/lang/String; \nL3: iconst_5 \nL4: aaload \nL5: areturn \nL6: \n .linenumbertable \n L0 94 \n .end linenumbertable \n .end code \n.end method \n\n.method public static final getRedColor : ()Ljava/lang/String; \n .code stack 2 locals 0 \nL0: getstatic Field BoardCell colorType [Ljava/lang/String; \nL3: bipush 6 \nL5: aaload \nL6: areturn \nL7: \n .linenumbertable \n L0 103 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 4 locals 0 \nL0: bipush 7 \nL2: anewarray java/lang/String \nL5: dup \nL6: iconst_0 \nL7: ldc 'unset' \nL9: aastore \nL10: dup \nL11: iconst_1 \nL12: ldc 'Blue' \nL14: aastore \nL15: dup \nL16: iconst_2 \nL17: ldc 'White' \nL19: aastore \nL20: dup \nL21: iconst_3 \nL22: ldc 'Green' \nL24: aastore \nL25: dup \nL26: iconst_4 \nL27: ldc 'Orange' \nL29: aastore \nL30: dup \nL31: iconst_5 \nL32: ldc 'Violet' \nL34: aastore \nL35: dup \nL36: bipush 6 \nL38: ldc 'Red' \nL40: aastore \nL41: putstatic Field BoardCell colorType [Ljava/lang/String; \nL44: return \nL45: \n .linenumbertable \n L0 9 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BoardCell.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 20:41:06 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BoardCell_ESTest extends BoardCell_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BoardCell.getVioletColor();\n BoardCell.getWhiteColor();\n BoardCell.getOrangeColor();\n int[] intArray0 = new int[1];\n BoardCell boardCell0 = new BoardCell(\"White\", intArray0, (-1), (-1));\n boardCell0.getBranches();\n BoardCell.getGreenColor();\n BoardCell.getRedColor();\n String string0 = BoardCell.getBlueColor();\n assertEquals(\"Blue\", string0);\n \n int int0 = boardCell0.getY();\n String string1 = BoardCell.getWhiteColor();\n assertEquals(\"White\", string1);\n \n String string2 = boardCell0.getColor();\n assertEquals(\"White\", string2);\n \n boardCell0.getBranches();\n String string3 = BoardCell.getOrangeColor();\n assertEquals(\"Orange\", string3);\n \n String string4 = BoardCell.getGreenColor();\n assertEquals(\"Green\", string4);\n \n int int1 = boardCell0.getX();\n assertTrue(int1 == int0);\n \n String string5 = BoardCell.getRedColor();\n assertEquals(\"Red\", string5);\n \n String string6 = BoardCell.getVioletColor();\n assertEquals(\"Violet\", string6);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n int[] intArray0 = new int[0];\n BoardCell boardCell0 = new BoardCell(\"\", intArray0, 0, 0);\n int int0 = boardCell0.getY();\n assertEquals(0, boardCell0.getX());\n assertEquals(0, int0);\n assertEquals(\"unset\", boardCell0.getColor());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n int[] intArray0 = new int[0];\n BoardCell boardCell0 = new BoardCell(\"Violet\", intArray0, 56639, 56639);\n int int0 = boardCell0.getY();\n assertEquals(56639, int0);\n assertEquals(\"Violet\", boardCell0.getColor());\n assertEquals(56639, boardCell0.getX());\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n int[] intArray0 = new int[1];\n BoardCell boardCell0 = new BoardCell(\"\", intArray0, 0, 0);\n int int0 = boardCell0.getX();\n assertEquals(0, boardCell0.getY());\n assertEquals(0, int0);\n assertEquals(\"unset\", boardCell0.getColor());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n int[] intArray0 = new int[4];\n BoardCell boardCell0 = new BoardCell(\"\", intArray0, 42351, (-14772));\n int int0 = boardCell0.getX();\n assertEquals((-14772), boardCell0.getY());\n assertEquals(42351, int0);\n assertEquals(\"unset\", boardCell0.getColor());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n BoardCell boardCell0 = new BoardCell(\"Green\", (int[]) null, 0, (-1));\n boardCell0.getBranches();\n assertEquals((-1), boardCell0.getY());\n assertEquals(\"Green\", boardCell0.getColor());\n assertEquals(0, boardCell0.getX());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n int[] intArray0 = new int[0];\n BoardCell boardCell0 = new BoardCell(\"Violet\", intArray0, (-40203), (-40203));\n boardCell0.getBranches();\n assertEquals((-40203), boardCell0.getY());\n assertEquals((-40203), boardCell0.getX());\n assertEquals(\"Violet\", boardCell0.getColor());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 20:41:06 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BoardCell_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BoardCell\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1skubbol\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BoardCell_ESTest_scaffolding.class.getClassLoader() ,\n \"BoardCell\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BoardCell_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BoardCell\"\n );\n }\n}\n", "class_idx": 261} {"class_name": "DribbbleToken", "java_source": "/** Created by dave @ RedMill Ltd on 5/22/17. */\npublic class DribbbleToken {\n\n /**\n * access_token : 29ed478ab86c07f1c069b1af76088f7431396b7c4a2523d06911345da82224a0 token_type :\n * bearer scope : public write\n */\n public String access_token;\n\n public String token_type;\n public String scope;\n}\n", "jasm_code": ".version 52 0 \n.class public super DribbbleToken \n.super java/lang/Object \n.field public access_token Ljava/lang/String; \n.field public token_type Ljava/lang/String; \n.field public scope Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DribbbleToken.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 09:14:52 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DribbbleToken_ESTest extends DribbbleToken_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DribbbleToken dribbbleToken0 = new DribbbleToken();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 09:14:52 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DribbbleToken_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DribbbleToken\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpko9yr0kp\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DribbbleToken_ESTest_scaffolding.class.getClassLoader() ,\n \"DribbbleToken\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DribbbleToken_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DribbbleToken\"\n );\n }\n}\n", "class_idx": 262} {"class_name": "Coordinate", "java_source": "public class Coordinate {\n public Integer getX() {\n return x;\n }\n\n public void setX(Integer x) {\n this.x = x;\n }\n\n Integer x;\n\n @Override\n public boolean equals(Object o) {\n if (this == o) return true;\n if (!(o instanceof Coordinate)) return false;\n\n Coordinate that = (Coordinate) o;\n\n if (getX() != null ? !getX().equals(that.getX()) : that.getX() != null) return false;\n return y != null ? y.equals(that.y) : that.y == null;\n }\n\n @Override\n public int hashCode() {\n int result = getX() != null ? getX().hashCode() : 0;\n result = 31 * result + (y != null ? y.hashCode() : 0);\n return result;\n }\n\n public Integer getY() {\n return y;\n }\n\n Integer y;\n\n public Coordinate(int x, int y) {\n this.x = x;\n this.y = y;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Coordinate \n.super java/lang/Object \n.field x Ljava/lang/Integer; \n.field y Ljava/lang/Integer; \n\n.method public getX : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Coordinate x Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 5 \n .end linenumbertable \n .end code \n.end method \n\n.method public setX : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Coordinate x Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 9 \n L5 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: instanceof Coordinate \nL11: ifne L16 \nL14: iconst_0 \nL15: ireturn \n\n .stack same \nL16: aload_1 \nL17: checkcast Coordinate \nL20: astore_2 \nL21: aload_0 \nL22: invokevirtual Method Coordinate getX ()Ljava/lang/Integer; \nL25: ifnull L45 \nL28: aload_0 \nL29: invokevirtual Method Coordinate getX ()Ljava/lang/Integer; \nL32: aload_2 \nL33: invokevirtual Method Coordinate getX ()Ljava/lang/Integer; \nL36: invokevirtual Method java/lang/Integer equals (Ljava/lang/Object;)Z \nL39: ifne L54 \nL42: goto L52 \n\n .stack append Object Coordinate \nL45: aload_2 \nL46: invokevirtual Method Coordinate getX ()Ljava/lang/Integer; \nL49: ifnull L54 \n\n .stack same \nL52: iconst_0 \nL53: ireturn \n\n .stack same \nL54: aload_0 \nL55: getfield Field Coordinate y Ljava/lang/Integer; \nL58: ifnull L75 \nL61: aload_0 \nL62: getfield Field Coordinate y Ljava/lang/Integer; \nL65: aload_2 \nL66: getfield Field Coordinate y Ljava/lang/Integer; \nL69: invokevirtual Method java/lang/Integer equals (Ljava/lang/Object;)Z \nL72: goto L87 \n\n .stack same \nL75: aload_2 \nL76: getfield Field Coordinate y Ljava/lang/Integer; \nL79: ifnonnull L86 \nL82: iconst_1 \nL83: goto L87 \n\n .stack same \nL86: iconst_0 \n\n .stack stack_1 Integer \nL87: ireturn \nL88: \n .linenumbertable \n L0 16 \n L7 17 \n L16 19 \n L21 21 \n L54 22 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokevirtual Method Coordinate getX ()Ljava/lang/Integer; \nL4: ifnull L17 \nL7: aload_0 \nL8: invokevirtual Method Coordinate getX ()Ljava/lang/Integer; \nL11: invokevirtual Method java/lang/Integer hashCode ()I \nL14: goto L18 \n\n .stack same \nL17: iconst_0 \n\n .stack stack_1 Integer \nL18: istore_1 \nL19: bipush 31 \nL21: iload_1 \nL22: imul \nL23: aload_0 \nL24: getfield Field Coordinate y Ljava/lang/Integer; \nL27: ifnull L40 \nL30: aload_0 \nL31: getfield Field Coordinate y Ljava/lang/Integer; \nL34: invokevirtual Method java/lang/Integer hashCode ()I \nL37: goto L41 \n\n .stack full \n locals Object Coordinate Integer \n stack Integer \n .end stack \nL40: iconst_0 \n\n .stack full \n locals Object Coordinate Integer \n stack Integer Integer \n .end stack \nL41: iadd \nL42: istore_1 \nL43: iload_1 \nL44: ireturn \nL45: \n .linenumbertable \n L0 27 \n L19 28 \n L43 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public getY : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Coordinate y Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (II)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL9: putfield Field Coordinate x Ljava/lang/Integer; \nL12: aload_0 \nL13: iload_2 \nL14: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL17: putfield Field Coordinate y Ljava/lang/Integer; \nL20: return \nL21: \n .linenumbertable \n L0 39 \n L4 40 \n L12 41 \n L20 42 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Coordinate.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 19:51:36 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Coordinate_ESTest extends Coordinate_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Coordinate coordinate0 = new Coordinate(0, 1);\n assertEquals(1, (int)coordinate0.getY());\n \n coordinate0.y = null;\n coordinate0.getY();\n assertEquals(0, (int)coordinate0.getX());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-18521), 24482);\n Integer integer0 = coordinate0.getY();\n assertEquals(24482, (int)integer0);\n assertEquals((-18521), (int)coordinate0.getX());\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Coordinate coordinate0 = new Coordinate(0, 0);\n Integer integer0 = coordinate0.getY();\n assertEquals(0, (int)coordinate0.getX());\n assertEquals(0, (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-1), (-92106));\n Integer integer0 = coordinate0.getY();\n assertEquals((-92106), (int)integer0);\n assertEquals((-1), (int)coordinate0.getX());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Coordinate coordinate0 = new Coordinate(0, 1);\n assertEquals(0, (int)coordinate0.getX());\n \n coordinate0.setX((Integer) null);\n coordinate0.getX();\n assertEquals(1, (int)coordinate0.getY());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Coordinate coordinate0 = new Coordinate(31, 31);\n Integer integer0 = coordinate0.getX();\n assertEquals(31, (int)coordinate0.getY());\n assertEquals(31, (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Coordinate coordinate0 = new Coordinate(47587, 47587);\n Integer integer0 = coordinate0.getX();\n assertEquals(47587, (int)integer0);\n assertEquals(47587, (int)coordinate0.getY());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-8119), (-8119));\n Integer integer0 = coordinate0.getX();\n assertEquals((-8119), (int)coordinate0.getY());\n assertEquals((-8119), (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Coordinate coordinate0 = new Coordinate(0, 1);\n Integer integer0 = coordinate0.getX();\n assertEquals(0, (int)integer0);\n assertEquals(1, (int)coordinate0.getY());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-32821), (-32821));\n assertEquals((-32821), (int)coordinate0.getY());\n \n coordinate0.y = null;\n coordinate0.hashCode();\n assertEquals((-32821), (int)coordinate0.getX());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-32821), (-2315));\n coordinate0.hashCode();\n assertEquals((-2315), (int)coordinate0.getY());\n assertEquals((-32821), (int)coordinate0.getX());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-32821), (-2315));\n assertEquals((-32821), (int)coordinate0.getX());\n \n coordinate0.x = null;\n coordinate0.hashCode();\n assertEquals((-2315), (int)coordinate0.getY());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Coordinate coordinate0 = new Coordinate(0, 1);\n Coordinate coordinate1 = new Coordinate((-39773), 0);\n coordinate1.y = null;\n coordinate0.y = null;\n Integer integer0 = coordinate1.x;\n coordinate0.setX(integer0);\n boolean boolean0 = coordinate1.equals(coordinate0);\n assertEquals((-39773), (int)coordinate0.getX());\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Coordinate coordinate0 = new Coordinate(0, 1);\n Coordinate coordinate1 = new Coordinate((-39773), 0);\n coordinate1.y = null;\n Integer integer0 = coordinate1.x;\n coordinate0.setX(integer0);\n boolean boolean0 = coordinate1.equals(coordinate0);\n assertEquals((-39773), (int)coordinate0.getX());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-32821), (-2315));\n coordinate0.x = null;\n Coordinate coordinate1 = new Coordinate((-32821), (-32821));\n assertEquals((-32821), (int)coordinate1.getX());\n \n coordinate1.setX((Integer) null);\n boolean boolean0 = coordinate0.equals(coordinate1);\n assertFalse(boolean0);\n assertEquals((-32821), (int)coordinate1.getY());\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Coordinate coordinate0 = new Coordinate(54557, 54557);\n Coordinate coordinate1 = new Coordinate(1, 1);\n boolean boolean0 = coordinate0.equals(coordinate1);\n assertEquals(1, (int)coordinate1.getY());\n assertEquals(1, (int)coordinate1.getX());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-32821), (-2315));\n coordinate0.x = null;\n Coordinate coordinate1 = new Coordinate((-32821), (-32821));\n boolean boolean0 = coordinate0.equals(coordinate1);\n assertEquals((-32821), (int)coordinate1.getY());\n assertFalse(boolean0);\n assertEquals((-32821), (int)coordinate1.getX());\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-32821), (-2315));\n boolean boolean0 = coordinate0.equals(coordinate0.x);\n assertEquals((-2315), (int)coordinate0.getY());\n assertEquals((-32821), (int)coordinate0.getX());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n Coordinate coordinate0 = new Coordinate((-32821), (-2315));\n boolean boolean0 = coordinate0.equals(coordinate0);\n assertTrue(boolean0);\n assertEquals((-32821), (int)coordinate0.getX());\n assertEquals((-2315), (int)coordinate0.getY());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 19:51:36 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Coordinate_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Coordinate\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpdi_hxz55\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Coordinate_ESTest_scaffolding.class.getClassLoader() ,\n \"Coordinate\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Coordinate_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Coordinate\"\n );\n }\n}\n", "class_idx": 263} {"class_name": "Loops", "java_source": "/** Created by LaunchCode */\npublic class Loops {\n\n public static void main(String[] args) {\n\n System.out.println(\"printZeroToTen :: \");\n printZeroToTen();\n\n System.out.println(\"printCharactersFromAString :: \");\n printCharactersFromAString();\n }\n\n // Print integers from 0 to 10\n public static void printZeroToTen() {\n\n for (int i = 0; i < 11; i++) {\n System.out.println(i);\n }\n }\n\n public static void printCharactersFromAString() {\n String text =\n \"Alice was beginning to get very tired of sitting by her sister on the bank, and of having\"\n + \" nothing to do: once or twice she had peeped into the book...\";\n\n for (char c : text.toCharArray()) {\n System.out.print(c);\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Loops \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 2 locals 1 \nL0: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL3: ldc 'printZeroToTen :: ' \nL5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL8: invokestatic Method Loops printZeroToTen ()V \nL11: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL14: ldc 'printCharactersFromAString :: ' \nL16: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL19: invokestatic Method Loops printCharactersFromAString ()V \nL22: return \nL23: \n .linenumbertable \n L0 10 \n L8 11 \n L11 13 \n L19 14 \n L22 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public static printZeroToTen : ()V \n .code stack 2 locals 1 \nL0: iconst_0 \nL1: istore_0 \n\n .stack append Integer \nL2: iload_0 \nL3: bipush 11 \nL5: if_icmpge L21 \nL8: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL11: iload_0 \nL12: invokevirtual Method java/io/PrintStream println (I)V \nL15: iinc 0 1 \nL18: goto L2 \n\n .stack chop 1 \nL21: return \nL22: \n .linenumbertable \n L0 21 \n L8 22 \n L15 21 \n L21 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public static printCharactersFromAString : ()V \n .code stack 2 locals 5 \nL0: ldc 'Alice was beginning to get very tired of sitting by her sister on the bank, and of having nothing to do: once or twice she had peeped into the book...' \nL2: astore_0 \nL3: aload_0 \nL4: invokevirtual Method java/lang/String toCharArray ()[C \nL7: astore_1 \nL8: aload_1 \nL9: arraylength \nL10: istore_2 \nL11: iconst_0 \nL12: istore_3 \n\n .stack full \n locals Object java/lang/String Object [C Integer Integer \n stack \n .end stack \nL13: iload_3 \nL14: iload_2 \nL15: if_icmpge L37 \nL18: aload_1 \nL19: iload_3 \nL20: caload \nL21: istore 4 \nL23: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL26: iload 4 \nL28: invokevirtual Method java/io/PrintStream print (C)V \nL31: iinc 3 1 \nL34: goto L13 \n\n .stack chop 3 \nL37: return \nL38: \n .linenumbertable \n L0 27 \n L3 29 \n L23 30 \n L31 29 \n L37 32 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Loops.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 15:39:47 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Loops_ESTest extends Loops_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Loops.printCharactersFromAString();\n String[] stringArray0 = new String[4];\n Loops.main(stringArray0);\n Loops loops0 = new Loops();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Loops.printZeroToTen();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 15:39:47 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Loops_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Loops\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp663je3jp\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Loops_ESTest_scaffolding.class.getClassLoader() ,\n \"Loops\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Loops_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Loops\"\n );\n }\n}\n", "class_idx": 264} {"class_name": "JazzSVNHookException", "java_source": "/**\n * Exce\u00e7\u00e3o de neg\u00f3cio principal do projeto\n *\n * @author t_dpacifico\n */\npublic class JazzSVNHookException extends Exception {\n\n private static final long serialVersionUID = 7796697100855879229L;\n\n /** construtor padrao */\n public JazzSVNHookException() {\n // explicity empty\n }\n\n /**\n * @param arg0\n */\n public JazzSVNHookException(String arg0) {\n super(arg0);\n }\n\n /**\n * @param arg0\n */\n public JazzSVNHookException(Throwable arg0) {\n super(arg0);\n }\n\n /**\n * @param arg0\n * @param arg1\n */\n public JazzSVNHookException(String arg0, Throwable arg1) {\n super(arg0, arg1);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super JazzSVNHookException \n.super java/lang/Exception \n.field private static final serialVersionUID J = 7796697100855879229L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 15 \n L4 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 24 \n L5 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 31 \n L5 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 40 \n L6 41 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'JazzSVNHookException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 13:35:42 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.lang.MockThrowable;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class JazzSVNHookException_ESTest extends JazzSVNHookException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n JazzSVNHookException jazzSVNHookException0 = new JazzSVNHookException();\n JazzSVNHookException jazzSVNHookException1 = new JazzSVNHookException(jazzSVNHookException0);\n assertFalse(jazzSVNHookException1.equals((Object)jazzSVNHookException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n JazzSVNHookException jazzSVNHookException0 = new JazzSVNHookException(\"Roc\u007f$m7R\");\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n JazzSVNHookException jazzSVNHookException0 = new JazzSVNHookException();\n MockThrowable mockThrowable0 = new MockThrowable(jazzSVNHookException0);\n JazzSVNHookException jazzSVNHookException1 = new JazzSVNHookException(\"z/[m#pdP6uG6fkLn\", mockThrowable0);\n assertFalse(jazzSVNHookException1.equals((Object)jazzSVNHookException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 13:35:42 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class JazzSVNHookException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"JazzSVNHookException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1vd6w5oa\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JazzSVNHookException_ESTest_scaffolding.class.getClassLoader() ,\n \"JazzSVNHookException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JazzSVNHookException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"JazzSVNHookException\"\n );\n }\n}\n", "class_idx": 265} {"class_name": "MyClass", "java_source": "import java.io.Serializable;\n\n/**\n * \u81ea\u52a8\u751f\u6210serialVersionUID @Author shitongtong\n *\n *

Created by shitongtong on 2017/9/15.\n */\npublic class MyClass implements Serializable {\n private static final long serialVersionUID = -1757771983272722194L;\n}\n", "jasm_code": ".version 52 0 \n.class public super MyClass \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = -1757771983272722194L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MyClass.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 02:20:28 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MyClass_ESTest extends MyClass_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n MyClass myClass0 = new MyClass();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 02:20:28 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MyClass_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MyClass\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp8n16q23e\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MyClass_ESTest_scaffolding.class.getClassLoader() ,\n \"MyClass\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyClass_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MyClass\"\n );\n }\n}\n", "class_idx": 266} {"class_name": "Dialect", "java_source": "public class Dialect {\n\n public Dialect() {}\n\n public boolean supportsLimit() {\n return false;\n }\n\n public boolean supportsLimitOffset() {\n return supportsLimit();\n }\n\n public String getLimitString(String sql, int offset, int limit) {\n return getLimitString(sql, offset, Integer.toString(offset), limit, Integer.toString(limit));\n }\n\n public String getLimitString(\n String sql, int offset, String offsetPlaceholder, int limit, String limitPlaceholder) {\n throw new UnsupportedOperationException(\"paged queries not supported\");\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Dialect \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 10 \n L4 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public supportsLimit : ()Z \n .code stack 1 locals 1 \nL0: iconst_0 \nL1: ireturn \nL2: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n\n.method public supportsLimitOffset : ()Z \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokevirtual Method Dialect supportsLimit ()Z \nL4: ireturn \nL5: \n .linenumbertable \n L0 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLimitString : (Ljava/lang/String;II)Ljava/lang/String; \n .code stack 6 locals 4 \nL0: aload_0 \nL1: aload_1 \nL2: iload_2 \nL3: iload_2 \nL4: invokestatic Method java/lang/Integer toString (I)Ljava/lang/String; \nL7: iload_3 \nL8: iload_3 \nL9: invokestatic Method java/lang/Integer toString (I)Ljava/lang/String; \nL12: invokevirtual Method Dialect getLimitString (Ljava/lang/String;ILjava/lang/String;ILjava/lang/String;)Ljava/lang/String; \nL15: areturn \nL16: \n .linenumbertable \n L0 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLimitString : (Ljava/lang/String;ILjava/lang/String;ILjava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 6 \nL0: new java/lang/UnsupportedOperationException \nL3: dup \nL4: ldc 'paged queries not supported' \nL6: invokespecial Method java/lang/UnsupportedOperationException (Ljava/lang/String;)V \nL9: athrow \nL10: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Dialect.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 21:13:40 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Dialect_ESTest extends Dialect_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Dialect dialect0 = new Dialect();\n // Undeclared exception!\n try { \n dialect0.getLimitString(\"\", 0, \"\", (-1), \"\");\n fail(\"Expecting exception: UnsupportedOperationException\");\n \n } catch(UnsupportedOperationException e) {\n //\n // paged queries not supported\n //\n verifyException(\"Dialect\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Dialect dialect0 = new Dialect();\n boolean boolean0 = dialect0.supportsLimit();\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Dialect dialect0 = new Dialect();\n // Undeclared exception!\n try { \n dialect0.getLimitString(\"BlX.o3\", 0, 0);\n fail(\"Expecting exception: UnsupportedOperationException\");\n \n } catch(UnsupportedOperationException e) {\n //\n // paged queries not supported\n //\n verifyException(\"Dialect\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Dialect dialect0 = new Dialect();\n boolean boolean0 = dialect0.supportsLimitOffset();\n assertFalse(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 21:13:40 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Dialect_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Dialect\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpwz242qlj\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Dialect_ESTest_scaffolding.class.getClassLoader() ,\n \"Dialect\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Dialect_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Dialect\"\n );\n }\n}\n", "class_idx": 267} {"class_name": "CombatPileAction", "java_source": "/*\n *\n *\n *\n */\n\n/** CombatPileAction.java */\npublic class CombatPileAction {}\n", "jasm_code": ".version 52 0 \n.class public super CombatPileAction \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 12 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CombatPileAction.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 16:44:06 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CombatPileAction_ESTest extends CombatPileAction_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CombatPileAction combatPileAction0 = new CombatPileAction();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 16:44:06 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CombatPileAction_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CombatPileAction\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp2oo98j0f\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CombatPileAction_ESTest_scaffolding.class.getClassLoader() ,\n \"CombatPileAction\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CombatPileAction_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CombatPileAction\"\n );\n }\n}\n", "class_idx": 268} {"class_name": "NoNextObjectException", "java_source": "/** Created by steff on 14.07.2016. */\npublic class NoNextObjectException extends Exception {\n public NoNextObjectException() {\n super();\n }\n\n public NoNextObjectException(String message) {\n super(message);\n }\n\n public NoNextObjectException(String message, Throwable cause) {\n super(message, cause);\n }\n\n public NoNextObjectException(Throwable cause) {\n super(cause);\n }\n\n protected NoNextObjectException(\n String message, Throwable cause, boolean enableSuppression, boolean writableStackTrace) {\n super(message, cause, enableSuppression, writableStackTrace);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super NoNextObjectException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n L4 9 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 12 \n L5 13 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 16 \n L6 17 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 20 \n L5 21 \n .end linenumbertable \n .end code \n.end method \n\n.method protected : (Ljava/lang/String;Ljava/lang/Throwable;ZZ)V \n .code stack 5 locals 5 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: iload_3 \nL4: iload 4 \nL6: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;ZZ)V \nL9: return \nL10: \n .linenumbertable \n L0 24 \n L9 25 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'NoNextObjectException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 04:05:25 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class NoNextObjectException_ESTest extends NoNextObjectException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n NoNextObjectException noNextObjectException0 = new NoNextObjectException();\n NoNextObjectException noNextObjectException1 = new NoNextObjectException(\"\", noNextObjectException0, false, true);\n assertFalse(noNextObjectException1.equals((Object)noNextObjectException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n NoNextObjectException noNextObjectException0 = new NoNextObjectException();\n NoNextObjectException noNextObjectException1 = new NoNextObjectException(\"\", noNextObjectException0);\n assertFalse(noNextObjectException1.equals((Object)noNextObjectException0));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n NoNextObjectException noNextObjectException0 = new NoNextObjectException((String) null);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n NoNextObjectException noNextObjectException0 = new NoNextObjectException();\n NoNextObjectException noNextObjectException1 = new NoNextObjectException(noNextObjectException0);\n assertFalse(noNextObjectException1.equals((Object)noNextObjectException0));\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 04:05:25 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class NoNextObjectException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"NoNextObjectException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpdjut6xv0\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NoNextObjectException_ESTest_scaffolding.class.getClassLoader() ,\n \"NoNextObjectException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NoNextObjectException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"NoNextObjectException\"\n );\n }\n}\n", "class_idx": 269} {"class_name": "KRightsKey", "java_source": "/** */\nimport java.io.Serializable;\n\n/**\n * @author physicsboy\n */\npublic class KRightsKey implements Serializable {\n\n /** */\n private static final long serialVersionUID = 2666307638860623289L;\n\n /** */\n public KRightsKey() {\n // TODO Auto-generated constructor stub\n super();\n }\n\n private int role;\n\n private int facilityType;\n\n /* (non-Javadoc)\n * @see java.lang.Object#hashCode()\n */\n @Override\n public int hashCode() {\n final int prime = 31;\n int result = 1;\n result = prime * result + facilityType;\n result = prime * result + role;\n return result;\n }\n\n /* (non-Javadoc)\n * @see java.lang.Object#equals(java.lang.Object)\n */\n @Override\n public boolean equals(Object obj) {\n if (this == obj) return true;\n if (obj == null) return false;\n if (getClass() != obj.getClass()) return false;\n KRightsKey other = (KRightsKey) obj;\n if (facilityType != other.facilityType) return false;\n if (role != other.role) return false;\n return true;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super KRightsKey \n.super java/lang/Object \n.implements java/io/Serializable \n.field private static final serialVersionUID J = 2666307638860623289L \n.field private role I \n.field private facilityType I \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 24 \n L4 25 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 3 \nL0: iconst_1 \nL1: istore_2 \nL2: bipush 31 \nL4: iload_2 \nL5: imul \nL6: aload_0 \nL7: getfield Field KRightsKey facilityType I \nL10: iadd \nL11: istore_2 \nL12: bipush 31 \nL14: iload_2 \nL15: imul \nL16: aload_0 \nL17: getfield Field KRightsKey role I \nL20: iadd \nL21: istore_2 \nL22: iload_2 \nL23: ireturn \nL24: \n .linenumbertable \n L0 38 \n L2 39 \n L12 40 \n L22 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnonnull L13 \nL11: iconst_0 \nL12: ireturn \n\n .stack same \nL13: aload_0 \nL14: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL17: aload_1 \nL18: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL21: if_acmpeq L26 \nL24: iconst_0 \nL25: ireturn \n\n .stack same \nL26: aload_1 \nL27: checkcast KRightsKey \nL30: astore_2 \nL31: aload_0 \nL32: getfield Field KRightsKey facilityType I \nL35: aload_2 \nL36: getfield Field KRightsKey facilityType I \nL39: if_icmpeq L44 \nL42: iconst_0 \nL43: ireturn \n\n .stack append Object KRightsKey \nL44: aload_0 \nL45: getfield Field KRightsKey role I \nL48: aload_2 \nL49: getfield Field KRightsKey role I \nL52: if_icmpeq L57 \nL55: iconst_0 \nL56: ireturn \n\n .stack same \nL57: iconst_1 \nL58: ireturn \nL59: \n .linenumbertable \n L0 49 \n L5 50 \n L7 51 \n L11 52 \n L13 53 \n L24 54 \n L26 55 \n L31 56 \n L42 57 \n L44 58 \n L55 59 \n L57 60 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'KRightsKey.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:05:15 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class KRightsKey_ESTest extends KRightsKey_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n KRightsKey kRightsKey0 = new KRightsKey();\n Object object0 = new Object();\n kRightsKey0.hashCode();\n boolean boolean0 = kRightsKey0.equals(object0);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n KRightsKey kRightsKey0 = new KRightsKey();\n KRightsKey kRightsKey1 = new KRightsKey();\n boolean boolean0 = kRightsKey1.equals(kRightsKey0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n KRightsKey kRightsKey0 = new KRightsKey();\n boolean boolean0 = kRightsKey0.equals((Object) null);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n KRightsKey kRightsKey0 = new KRightsKey();\n boolean boolean0 = kRightsKey0.equals(kRightsKey0);\n assertTrue(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:05:15 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class KRightsKey_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"KRightsKey\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpf9ea96qy\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(KRightsKey_ESTest_scaffolding.class.getClassLoader() ,\n \"KRightsKey\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(KRightsKey_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"KRightsKey\"\n );\n }\n}\n", "class_idx": 270} {"class_name": "Constants", "java_source": "/*\n * Copyright 2014, Luca Rosellini.\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * Class holding several public Kina constants\n *\n * @author Luca Rosellini \n */\npublic final class Constants {\n public static final String DEFAULT_CASSANDRA_HOST = \"localhost\";\n public static final int DEFAULT_CASSANDRA_RPC_PORT = 9160;\n public static final int DEFAULT_CASSANDRA_CQL_PORT = 9042;\n\n public static final int DEFAULT_BATCH_SIZE = 100;\n\n public static final int DEFAULT_PAGE_SIZE = 1000;\n public static final int DEFAULT_MAX_PAGE_SIZE = 10000;\n\n public static final int DEFAULT_BISECT_FACTOR = 1;\n\n private Constants() {}\n}\n", "jasm_code": ".version 52 0 \n.class public final super Constants \n.super java/lang/Object \n.field public static final DEFAULT_CASSANDRA_HOST Ljava/lang/String; = 'localhost' \n.field public static final DEFAULT_CASSANDRA_RPC_PORT I = 9160 \n.field public static final DEFAULT_CASSANDRA_CQL_PORT I = 9042 \n.field public static final DEFAULT_BATCH_SIZE I = 100 \n.field public static final DEFAULT_PAGE_SIZE I = 1000 \n.field public static final DEFAULT_MAX_PAGE_SIZE I = 10000 \n.field public static final DEFAULT_BISECT_FACTOR I = 1 \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 36 \n L4 37 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Constants.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 07:03:35 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Constants_ESTest extends Constants_ESTest_scaffolding {\n @Test\n public void notGeneratedAnyTest() {\n // EvoSuite did not generate any tests\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 07:03:35 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Constants_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Constants\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n /*No java.lang.System property to set*/\n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constants_ESTest_scaffolding.class.getClassLoader() ,\n \"Constants\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constants_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Constants\"\n );\n }\n}\n", "class_idx": 271} {"class_name": "amras", "java_source": "import java.util.Scanner;\n\n/** Created by KAAN on 15/05/2016. */\npublic class amras {\n public static void main(String[] args) {\n\n int number = 8;\n int guess;\n\n Scanner input = new Scanner(System.in);\n\n System.out.println(\"Guess number between 0-10\");\n guess = input.nextInt();\n\n if (guess == number) {\n System.out.println(\"LOL. YOU GOT IT!!\");\n } else {\n System.out.println(\"LOSER. IT WAS 8\");\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super amras \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 3 locals 4 \nL0: bipush 8 \nL2: istore_1 \nL3: new java/util/Scanner \nL6: dup \nL7: getstatic Field java/lang/System in Ljava/io/InputStream; \nL10: invokespecial Method java/util/Scanner (Ljava/io/InputStream;)V \nL13: astore_3 \nL14: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL17: ldc 'Guess number between 0-10' \nL19: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL22: aload_3 \nL23: invokevirtual Method java/util/Scanner nextInt ()I \nL26: istore_2 \nL27: iload_2 \nL28: iload_1 \nL29: if_icmpne L43 \nL32: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL35: ldc 'LOL. YOU GOT IT!!' \nL37: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL40: goto L51 \n\n .stack append Integer Integer Object java/util/Scanner \nL43: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL46: ldc 'LOSER. IT WAS 8' \nL48: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \n\n .stack same \nL51: return \nL52: \n .linenumbertable \n L0 9 \n L3 12 \n L14 14 \n L22 15 \n L27 17 \n L32 18 \n L43 20 \n L51 26 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'amras.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 12:28:18 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.util.SystemInUtil;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class amras_ESTest extends amras_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SystemInUtil.addInputLine(\"7\");\n String[] stringArray0 = new String[9];\n amras.main(stringArray0);\n assertEquals(9, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SystemInUtil.addInputLine(\"8\");\n String[] stringArray0 = new String[9];\n amras.main(stringArray0);\n assertEquals(9, stringArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SystemInUtil.addInputLine(\"30 |?ys2H-T'?u\u007f_8\");\n amras.main((String[]) null);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n amras amras0 = new amras();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 12:28:18 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class amras_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"amras\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpw12mxex4\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(amras_ESTest_scaffolding.class.getClassLoader() ,\n \"amras\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(amras_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"amras\"\n );\n }\n}\n", "class_idx": 272} {"class_name": "CharacterEncodingName", "java_source": "public class CharacterEncodingName {\n /**\n * windows\u4e0b\u4fdd\u5b58\u4e3aUnicode\u683c\u5f0f\u65f6\u7528\n * shoukaiseki.characterdetector.CharacterEncoding.getLocalteFileEncode(fileName) \u68c0\u6d4b\u51fa\u6765\u7684\u5b57\u7b26\u7f16\u7801\n */\n public static final String WINDOWS_1252 = \"WINDOWS-1252\";\n /** 7\u4f4dASCII\u5b57\u7b26\uff0c\u4e5f\u53eb\u4f5cISO646-US\u3001Unicode\u5b57\u7b26\u96c6\u7684\u57fa\u672c\u62c9\u4e01\u5757 */\n public static final String US_ASCII = \"US-ASCII\";\n\n /** ISO \u62c9\u4e01\u5b57\u6bcd\u8868 No.1\uff0c\u4e5f\u53eb\u4f5c ISO-LATIN-1 */\n public static final String ISO_8859_1 = \"ISO-8859-1\";\n\n /** 8 \u4f4d UCS \u8f6c\u6362\u683c\u5f0f */\n public static final String UTF_8 = \"UTF-8\";\n\n /** 16 \u4f4d UCS \u8f6c\u6362\u683c\u5f0f\uff0cBig Endian\uff08\u6700\u4f4e\u5730\u5740\u5b58\u653e\u9ad8\u4f4d\u5b57\u8282\uff09\u5b57\u8282\u987a\u5e8f */\n public static final String UTF_16BE = \"UTF-16BE\";\n\n /** 16 \u4f4d UCS \u8f6c\u6362\u683c\u5f0f\uff0cLittle-endian\uff08\u6700\u9ad8\u5730\u5740\u5b58\u653e\u4f4e\u4f4d\u5b57\u8282\uff09\u5b57\u8282\u987a\u5e8f */\n public static final String UTF_16LE = \"UTF-16LE\";\n\n /** 16 \u4f4d UCS \u8f6c\u6362\u683c\u5f0f\uff0c\u5b57\u8282\u987a\u5e8f\u7531\u53ef\u9009\u7684\u5b57\u8282\u987a\u5e8f\u6807\u8bb0\u6765\u6807\u8bc6 */\n public static final String UTF_16 = \"UTF-16\";\n\n /** \u4e2d\u6587\u8d85\u5927\u5b57\u7b26\u96c6 */\n public static final String GBK = \"GBK\";\n}\n", "jasm_code": ".version 52 0 \n.class public super CharacterEncodingName \n.super java/lang/Object \n.field public static final WINDOWS_1252 Ljava/lang/String; = 'WINDOWS-1252' \n.field public static final US_ASCII Ljava/lang/String; = 'US-ASCII' \n.field public static final ISO_8859_1 Ljava/lang/String; = 'ISO-8859-1' \n.field public static final UTF_8 Ljava/lang/String; = 'UTF-8' \n.field public static final UTF_16BE Ljava/lang/String; = 'UTF-16BE' \n.field public static final UTF_16LE Ljava/lang/String; = 'UTF-16LE' \n.field public static final UTF_16 Ljava/lang/String; = 'UTF-16' \n.field public static final GBK Ljava/lang/String; = 'GBK' \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'CharacterEncodingName.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 22:48:15 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class CharacterEncodingName_ESTest extends CharacterEncodingName_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n CharacterEncodingName characterEncodingName0 = new CharacterEncodingName();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 22:48:15 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class CharacterEncodingName_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"CharacterEncodingName\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpzp7wp_ek\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CharacterEncodingName_ESTest_scaffolding.class.getClassLoader() ,\n \"CharacterEncodingName\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CharacterEncodingName_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"CharacterEncodingName\"\n );\n }\n}\n", "class_idx": 273} {"class_name": "DataSeries", "java_source": "/*\n * MIT License\n *\n * Copyright (c) 2017 The ISSTAC Authors\n *\n * Permission is hereby granted, free of charge, to any person obtaining a copy\n * of this software and associated documentation files (the \"Software\"), to deal\n * in the Software without restriction, including without limitation the rights\n * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n * copies of the Software, and to permit persons to whom the Software is\n * furnished to do so, subject to the following conditions:\n *\n * The above copyright notice and this permission notice shall be included in all\n * copies or substantial portions of the Software.\n *\n * THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE\n * SOFTWARE.\n */\n\n/**\n * @author Kasper Luckow\n */\npublic class DataSeries {\n private final double[] xs;\n private final double[] ys;\n int idx = 0;\n\n private final String seriesName;\n private String r2;\n private String function;\n\n public DataSeries(String seriesName, int size) {\n this.seriesName = seriesName;\n this.xs = new double[size];\n this.ys = new double[size];\n }\n\n public String getSeriesName() {\n return seriesName;\n }\n\n public void add(double x, double y) {\n xs[idx] = x;\n ys[idx] = y;\n idx++;\n }\n\n public double[] getY() {\n return this.ys;\n }\n\n public double[] getX() {\n return this.xs;\n }\n\n public int size() {\n return this.xs.length;\n }\n\n public String getR2() {\n return r2;\n }\n\n public void setR2(String r2) {\n this.r2 = r2;\n }\n\n public String getFunction() {\n return function;\n }\n\n public void setFunction(String function) {\n this.function = function;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DataSeries \n.super java/lang/Object \n.field private final xs [D \n.field private final ys [D \n.field idx I \n.field private final seriesName Ljava/lang/String; \n.field private r2 Ljava/lang/String; \n.field private function Ljava/lang/String; \n\n.method public : (Ljava/lang/String;I)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iconst_0 \nL6: putfield Field DataSeries idx I \nL9: aload_0 \nL10: aload_1 \nL11: putfield Field DataSeries seriesName Ljava/lang/String; \nL14: aload_0 \nL15: iload_2 \nL16: newarray double \nL18: putfield Field DataSeries xs [D \nL21: aload_0 \nL22: iload_2 \nL23: newarray double \nL25: putfield Field DataSeries ys [D \nL28: return \nL29: \n .linenumbertable \n L0 39 \n L4 33 \n L9 40 \n L14 41 \n L21 42 \n L28 43 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSeriesName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DataSeries seriesName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 47 \n .end linenumbertable \n .end code \n.end method \n\n.method public add : (DD)V \n .code stack 4 locals 5 \nL0: aload_0 \nL1: getfield Field DataSeries xs [D \nL4: aload_0 \nL5: getfield Field DataSeries idx I \nL8: dload_1 \nL9: dastore \nL10: aload_0 \nL11: getfield Field DataSeries ys [D \nL14: aload_0 \nL15: getfield Field DataSeries idx I \nL18: dload_3 \nL19: dastore \nL20: aload_0 \nL21: dup \nL22: getfield Field DataSeries idx I \nL25: iconst_1 \nL26: iadd \nL27: putfield Field DataSeries idx I \nL30: return \nL31: \n .linenumbertable \n L0 51 \n L10 52 \n L20 53 \n L30 54 \n .end linenumbertable \n .end code \n.end method \n\n.method public getY : ()[D \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DataSeries ys [D \nL4: areturn \nL5: \n .linenumbertable \n L0 57 \n .end linenumbertable \n .end code \n.end method \n\n.method public getX : ()[D \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DataSeries xs [D \nL4: areturn \nL5: \n .linenumbertable \n L0 61 \n .end linenumbertable \n .end code \n.end method \n\n.method public size : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DataSeries xs [D \nL4: arraylength \nL5: ireturn \nL6: \n .linenumbertable \n L0 65 \n .end linenumbertable \n .end code \n.end method \n\n.method public getR2 : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DataSeries r2 Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 69 \n .end linenumbertable \n .end code \n.end method \n\n.method public setR2 : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field DataSeries r2 Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 73 \n L5 74 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFunction : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DataSeries function Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 77 \n .end linenumbertable \n .end code \n.end method \n\n.method public setFunction : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field DataSeries function Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 81 \n L5 82 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DataSeries.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 11:59:50 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DataSeries_ESTest extends DataSeries_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"\", 1);\n dataSeries0.add(1, 1);\n dataSeries0.setR2((String) null);\n dataSeries0.getFunction();\n dataSeries0.setFunction(\"*CARijY\");\n dataSeries0.getX();\n // Undeclared exception!\n try { \n dataSeries0.add(1, 1);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 1\n //\n verifyException(\"DataSeries\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"\", 0);\n int int0 = dataSeries0.size();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"9ipoSIjc{KcNy8g\", 0);\n double[] doubleArray0 = dataSeries0.getY();\n assertEquals(0, doubleArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"X~zJ=f^y \", 0);\n double[] doubleArray0 = dataSeries0.getX();\n assertEquals(0, doubleArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n DataSeries dataSeries0 = new DataSeries((String) null, 0);\n dataSeries0.getSeriesName();\n assertEquals(0, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"\", 1);\n dataSeries0.getSeriesName();\n assertEquals(1, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n DataSeries dataSeries0 = new DataSeries((String) null, 37267);\n dataSeries0.setR2(\"Wc7~2$Y\");\n dataSeries0.getR2();\n assertEquals(37267, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"z8V:|sc=N^v!vThgi\", 70443);\n dataSeries0.setR2(\"\");\n dataSeries0.getR2();\n assertEquals(70443, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"\", 1);\n dataSeries0.setFunction(\"\");\n dataSeries0.getFunction();\n assertEquals(1, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"HO8\", 5411);\n dataSeries0.add(5411, 5411);\n assertEquals(5411, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"HO8\", 5411);\n dataSeries0.setFunction(\"HO8\");\n dataSeries0.getFunction();\n assertEquals(5411, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"HO8\", 5411);\n dataSeries0.getR2();\n assertEquals(5411, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"HO8\", 5411);\n double[] doubleArray0 = dataSeries0.getY();\n assertEquals(5411, doubleArray0.length);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"//s>A/\", 41381);\n dataSeries0.getSeriesName();\n assertEquals(41381, dataSeries0.size());\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n DataSeries dataSeries0 = new DataSeries(\"HO8\", 5411);\n int int0 = dataSeries0.size();\n assertEquals(5411, int0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 11:59:50 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DataSeries_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DataSeries\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpk0mksk28\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DataSeries_ESTest_scaffolding.class.getClassLoader() ,\n \"DataSeries\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DataSeries_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DataSeries\"\n );\n }\n}\n", "class_idx": 274} {"class_name": "SpeedTestAnswer", "java_source": "/*\n * This file is part of DrFTPD, Distributed FTP Daemon.\n *\n * DrFTPD is free software; you can redistribute it and/or\n * modify it under the terms of the GNU General Public License\n * as published by the Free Software Foundation; either version 2\n * of the License, or (at your option) any later version.\n *\n * DrFTPD is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU General Public License for more details.\n *\n * You should have received a copy of the GNU General Public License\n * along with DrFTPD; if not, write to the Free Software\n * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.\n */\n\npublic class SpeedTestAnswer {\n private final long _bytes;\n private final long _time;\n\n public SpeedTestAnswer(long bytes, long time) {\n _bytes = bytes;\n _time = time;\n }\n\n public long getBytes() {\n return _bytes;\n }\n\n public long getTime() {\n return _time;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super SpeedTestAnswer \n.super java/lang/Object \n.field private final _bytes J \n.field private final _time J \n\n.method public : (JJ)V \n .code stack 3 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: lload_1 \nL6: putfield Field SpeedTestAnswer _bytes J \nL9: aload_0 \nL10: lload_3 \nL11: putfield Field SpeedTestAnswer _time J \nL14: return \nL15: \n .linenumbertable \n L0 24 \n L4 25 \n L9 26 \n L14 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public getBytes : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field SpeedTestAnswer _bytes J \nL4: lreturn \nL5: \n .linenumbertable \n L0 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public getTime : ()J \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field SpeedTestAnswer _time J \nL4: lreturn \nL5: \n .linenumbertable \n L0 34 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'SpeedTestAnswer.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 19:11:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class SpeedTestAnswer_ESTest extends SpeedTestAnswer_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n SpeedTestAnswer speedTestAnswer0 = new SpeedTestAnswer(0L, 0L);\n long long0 = speedTestAnswer0.getTime();\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n SpeedTestAnswer speedTestAnswer0 = new SpeedTestAnswer((-4074L), (-4074L));\n long long0 = speedTestAnswer0.getTime();\n assertEquals((-4074L), long0);\n assertEquals((-4074L), speedTestAnswer0.getBytes());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n SpeedTestAnswer speedTestAnswer0 = new SpeedTestAnswer(0L, 0L);\n long long0 = speedTestAnswer0.getBytes();\n assertEquals(0L, long0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n SpeedTestAnswer speedTestAnswer0 = new SpeedTestAnswer(39347L, 39347L);\n long long0 = speedTestAnswer0.getBytes();\n assertEquals(39347L, speedTestAnswer0.getTime());\n assertEquals(39347L, long0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n SpeedTestAnswer speedTestAnswer0 = new SpeedTestAnswer(39347L, 39347L);\n long long0 = speedTestAnswer0.getTime();\n assertEquals(39347L, long0);\n assertEquals(39347L, speedTestAnswer0.getBytes());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n SpeedTestAnswer speedTestAnswer0 = new SpeedTestAnswer((-44256L), (-44256L));\n long long0 = speedTestAnswer0.getBytes();\n assertEquals((-44256L), speedTestAnswer0.getTime());\n assertEquals((-44256L), long0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 19:11:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class SpeedTestAnswer_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"SpeedTestAnswer\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp_6w9v1r1\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SpeedTestAnswer_ESTest_scaffolding.class.getClassLoader() ,\n \"SpeedTestAnswer\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SpeedTestAnswer_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"SpeedTestAnswer\"\n );\n }\n}\n", "class_idx": 275} {"class_name": "Utils", "java_source": "import java.io.UnsupportedEncodingException;\nimport java.security.MessageDigest;\nimport java.security.NoSuchAlgorithmException;\n\npublic final class Utils {\n private static final StringBuilder sBuilder = new StringBuilder();\n private static final String SPECIAL_CHARS = \" %$&+,/:;=?@<>#%\";\n\n private Utils() {}\n\n private static String hex(byte[] array) {\n sBuilder.setLength(0);\n for (byte b : array) {\n sBuilder.append(Integer.toHexString((b & 0xFF) | 0x100).substring(1, 3));\n }\n return sBuilder.toString();\n }\n\n public static String md5(String text) {\n final MessageDigest messageDigest;\n try {\n messageDigest = MessageDigest.getInstance(\"MD5\");\n messageDigest.reset();\n return hex(messageDigest.digest(text.getBytes(\"UTF-8\")));\n } catch (NoSuchAlgorithmException e) {\n return null;\n } catch (UnsupportedEncodingException e) {\n return null;\n }\n }\n\n static String convertEmailToHash(String email) {\n String text = md5(email);\n if (text != null) {\n return text;\n } else {\n return email;\n }\n }\n\n static String encode(String input) {\n sBuilder.setLength(0);\n for (char ch : input.toCharArray()) {\n if (isUnsafe(ch)) {\n sBuilder.append('%');\n sBuilder.append(toHex(ch / 16));\n sBuilder.append(toHex(ch % 16));\n } else {\n sBuilder.append(ch);\n }\n }\n return sBuilder.toString();\n }\n\n private static char toHex(int ch) {\n return (char) (ch < 10 ? '0' + ch : 'A' + ch - 10);\n }\n\n private static boolean isUnsafe(char ch) {\n return ch > 128 || ch < 0 || SPECIAL_CHARS.indexOf(ch) >= 0;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super Utils \n.super java/lang/Object \n.field private static final sBuilder Ljava/lang/StringBuilder; \n.field private static final SPECIAL_CHARS Ljava/lang/String; = ' %$&+,/:;=?@<>#%' \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 11 \n L4 12 \n .end linenumbertable \n .end code \n.end method \n\n.method private static hex : ([B)Ljava/lang/String; \n .code stack 4 locals 5 \nL0: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL3: iconst_0 \nL4: invokevirtual Method java/lang/StringBuilder setLength (I)V \nL7: aload_0 \nL8: astore_1 \nL9: aload_1 \nL10: arraylength \nL11: istore_2 \nL12: iconst_0 \nL13: istore_3 \n\n .stack append Object [B Integer Integer \nL14: iload_3 \nL15: iload_2 \nL16: if_icmpge L55 \nL19: aload_1 \nL20: iload_3 \nL21: baload \nL22: istore 4 \nL24: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL27: iload 4 \nL29: sipush 255 \nL32: iand \nL33: sipush 256 \nL36: ior \nL37: invokestatic Method java/lang/Integer toHexString (I)Ljava/lang/String; \nL40: iconst_1 \nL41: iconst_3 \nL42: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; \nL45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL48: pop \nL49: iinc 3 1 \nL52: goto L14 \n\n .stack chop 3 \nL55: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL58: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL61: areturn \nL62: \n .linenumbertable \n L0 15 \n L7 16 \n L24 17 \n L49 16 \n L55 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public static md5 : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 3 \n .catch java/security/NoSuchAlgorithmException from L0 to L23 using L24 \n .catch java/io/UnsupportedEncodingException from L0 to L23 using L27 \nL0: ldc 'MD5' \nL2: invokestatic Method java/security/MessageDigest getInstance (Ljava/lang/String;)Ljava/security/MessageDigest; \nL5: astore_1 \nL6: aload_1 \nL7: invokevirtual Method java/security/MessageDigest reset ()V \nL10: aload_1 \nL11: aload_0 \nL12: ldc 'UTF-8' \nL14: invokevirtual Method java/lang/String getBytes (Ljava/lang/String;)[B \nL17: invokevirtual Method java/security/MessageDigest digest ([B)[B \nL20: invokestatic Method Utils hex ([B)Ljava/lang/String; \nL23: areturn \n\n .stack stack_1 Object java/security/NoSuchAlgorithmException \nL24: astore_2 \nL25: aconst_null \nL26: areturn \n\n .stack stack_1 Object java/io/UnsupportedEncodingException \nL27: astore_2 \nL28: aconst_null \nL29: areturn \nL30: \n .linenumbertable \n L0 25 \n L6 26 \n L10 27 \n L24 28 \n L25 29 \n L27 30 \n L28 31 \n .end linenumbertable \n .end code \n.end method \n\n.method static convertEmailToHash : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 1 locals 2 \nL0: aload_0 \nL1: invokestatic Method Utils md5 (Ljava/lang/String;)Ljava/lang/String; \nL4: astore_1 \nL5: aload_1 \nL6: ifnull L11 \nL9: aload_1 \nL10: areturn \n\n .stack append Object java/lang/String \nL11: aload_0 \nL12: areturn \nL13: \n .linenumbertable \n L0 36 \n L5 37 \n L9 38 \n L11 40 \n .end linenumbertable \n .end code \n.end method \n\n.method static encode : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 3 locals 5 \nL0: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL3: iconst_0 \nL4: invokevirtual Method java/lang/StringBuilder setLength (I)V \nL7: aload_0 \nL8: invokevirtual Method java/lang/String toCharArray ()[C \nL11: astore_1 \nL12: aload_1 \nL13: arraylength \nL14: istore_2 \nL15: iconst_0 \nL16: istore_3 \n\n .stack append Object [C Integer Integer \nL17: iload_3 \nL18: iload_2 \nL19: if_icmpge L92 \nL22: aload_1 \nL23: iload_3 \nL24: caload \nL25: istore 4 \nL27: iload 4 \nL29: invokestatic Method Utils isUnsafe (C)Z \nL32: ifeq L77 \nL35: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL38: bipush 37 \nL40: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL43: pop \nL44: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL47: iload 4 \nL49: bipush 16 \nL51: idiv \nL52: invokestatic Method Utils toHex (I)C \nL55: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL58: pop \nL59: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL62: iload 4 \nL64: bipush 16 \nL66: irem \nL67: invokestatic Method Utils toHex (I)C \nL70: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL73: pop \nL74: goto L86 \n\n .stack append Integer \nL77: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL80: iload 4 \nL82: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL85: pop \n\n .stack chop 1 \nL86: iinc 3 1 \nL89: goto L17 \n\n .stack chop 3 \nL92: getstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL95: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL98: areturn \nL99: \n .linenumbertable \n L0 45 \n L7 46 \n L27 47 \n L35 48 \n L44 49 \n L59 50 \n L77 52 \n L86 46 \n L92 55 \n .end linenumbertable \n .end code \n.end method \n\n.method private static toHex : (I)C \n .code stack 2 locals 1 \nL0: iload_0 \nL1: bipush 10 \nL3: if_icmpge L13 \nL6: bipush 48 \nL8: iload_0 \nL9: iadd \nL10: goto L20 \n\n .stack same \nL13: bipush 65 \nL15: iload_0 \nL16: iadd \nL17: bipush 10 \nL19: isub \n\n .stack stack_1 Integer \nL20: i2c \nL21: ireturn \nL22: \n .linenumbertable \n L0 59 \n .end linenumbertable \n .end code \n.end method \n\n.method private static isUnsafe : (C)Z \n .code stack 2 locals 1 \nL0: iload_0 \nL1: sipush 128 \nL4: if_icmpgt L20 \nL7: iload_0 \nL8: iflt L20 \nL11: ldc ' %$&+,/:;=?@<>#%' \nL13: iload_0 \nL14: invokevirtual Method java/lang/String indexOf (I)I \nL17: iflt L24 \n\n .stack same \nL20: iconst_1 \nL21: goto L25 \n\n .stack same \nL24: iconst_0 \n\n .stack stack_1 Integer \nL25: ireturn \nL26: \n .linenumbertable \n L0 63 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 2 locals 0 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: putstatic Field Utils sBuilder Ljava/lang/StringBuilder; \nL10: return \nL11: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Utils.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 22:12:01 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Utils_ESTest extends Utils_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Utils.encode(\"\");\n Utils.md5(\"\");\n Utils.encode(\"wbCn 7l9~Wb)\");\n Utils.md5(\"1w]3_xQ\");\n Utils.encode(\"wbCn 7l9~Wb)\");\n Utils.convertEmailToHash(\"\");\n Utils.encode(\"1w]3_xQ\");\n Utils.convertEmailToHash(\"\");\n Utils.md5(\"wbCn%20%207l9~Wb)\");\n Utils.encode(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.convertEmailToHash(\"\");\n // Undeclared exception!\n try { \n Utils.encode((String) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Utils.convertEmailToHash(\"=`0Lj#xM:FO/9(J\");\n String string0 = Utils.encode(\"=`0Lj#xM:FO/9(J\");\n assertEquals(\"%3D`0Lj%23xM%3AFO%2F9(J\", string0);\n \n Utils.encode(\"eac18d676c889da1eb87d522f14c0d90\");\n Utils.encode(\"\");\n String string1 = Utils.convertEmailToHash(\"\");\n assertEquals(\"d41d8cd98f00b204e9800998ecf8427e\", string1);\n \n Utils.encode(\"\");\n String string2 = Utils.md5(\"d41d8cd98f00b204e9800998ecf8427e\");\n assertEquals(\"74be16979710d4c4e7c6647856088456\", string2);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String string0 = null;\n // Undeclared exception!\n try { \n Utils.md5((String) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n // Undeclared exception!\n try { \n Utils.md5((String) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Utils.convertEmailToHash(\":j$^{|/7l\");\n String string0 = Utils.encode(\":j$^{|/7l\");\n assertEquals(\"%3Aj%24^{|%2F7l\", string0);\n \n Utils.encode(\"e27ae6234358f54a77b054bf421a2952\");\n Utils.convertEmailToHash(\"%3Aj%24^{|%2F7l\");\n Utils.convertEmailToHash(\"?Hf8d5'0]3\\\"2jRD9\");\n Utils.md5(\"#0zmE\");\n Utils.encode(\"?Hf8d5'0]3\\\"2jRD9\");\n Utils.convertEmailToHash(\"e27ae6234358f54a77b054bf421a2952\");\n Utils.md5(\"ab0fe6697e41b15702cde26bcf65ca6e\");\n Utils.md5(\"5*H%:s4yg6_HT\\\"&\");\n Utils.encode(\"%3FHf8d5'0]3\\\"2jRD9\");\n Utils.convertEmailToHash(\"B/47\");\n Utils.encode(\"e27ae6234358f54a77b054bf421a2952\");\n Utils.convertEmailToHash(\"\");\n Utils.convertEmailToHash(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.md5(\"/YM]D[v!rP&\");\n Utils.md5(\"b1a498b7956a24fea6058cdba866f6c8\");\n String string1 = Utils.convertEmailToHash(\"f4c788c7deaee62878ebce7c9c09c173\");\n assertEquals(\"bb0bbfed71e6605adc0dceb50000c901\", string1);\n \n Utils.md5(\"/YM]D[v!rP&\");\n String string2 = Utils.encode(\"\");\n assertEquals(\"\", string2);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Utils.convertEmailToHash(\"\");\n Utils.md5(\"\");\n Utils.md5(\"\");\n Utils.md5(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.md5(\"\");\n Utils.md5(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.convertEmailToHash(\"{1b@:$\");\n Utils.encode(\"\");\n Utils.md5(\"\");\n String string0 = Utils.encode(\"{1b@:$\");\n assertEquals(\"{1b%40%3A%24\", string0);\n \n Utils.md5(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.md5(\"74be16979710d4c4e7c6647856088456\");\n String string1 = Utils.convertEmailToHash(\"hm4v#~|.oS;mN:3Hz\");\n assertEquals(\"0c62dfb0e4a7186bbe370b034e19f83c\", string1);\n \n Utils.md5(\"64{Q\");\n Utils.encode(\"\");\n String string2 = Utils.encode(\"74be16979710d4c4e7c6647856088456\");\n assertEquals(\"74be16979710d4c4e7c6647856088456\", string2);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Utils.convertEmailToHash(\"|[/zD(V%[Bb?_\");\n Utils.convertEmailToHash(\"|[/zD(V%[Bb?_\");\n Utils.encode(\"M0wQkp`FGcY\");\n Utils.md5(\"\");\n Utils.encode(\"60bbe61c71c5c7c9093fc2651e2adf56\");\n String string0 = Utils.encode(\"b]44)'s\u007f>zp\");\n assertEquals(\"b]44)'s\u007f%3Ezp\", string0);\n \n Utils.convertEmailToHash(\".M;+Eov\");\n Utils.md5(\"|[/zD(V%[Bb?_\");\n Utils.md5(\"53d0be9eb444bd8377fb371f320c218b\");\n Utils.convertEmailToHash(\"\");\n Utils.md5(\"zkMuSuztSP,gyW\");\n String string1 = Utils.encode(\"u\\\"2:;sHz\");\n assertEquals(\"u\\\"2%3A%3BsHz\", string1);\n \n Utils.encode(\"zkMuSuztSP,gyW\");\n Utils.encode(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.convertEmailToHash(\"'.CZ%:h:P\");\n Utils.md5(\"\");\n Utils.convertEmailToHash(\"e 5el5;oZj{\");\n Utils.encode(\"MD5\");\n Utils.encode(\".M;+Eov\");\n Utils.convertEmailToHash(\"\");\n Utils.convertEmailToHash(\"u\\\"2%3A%3BsHz\");\n String string2 = Utils.convertEmailToHash(\"zkMuSuztSP%2CgyW\");\n assertEquals(\"09cd8d78a81daeb492d5adac6ecc4993\", string2);\n \n String string3 = Utils.md5(\"3I1=R:,|\");\n assertEquals(\"e1e01a59d31ea87bd69a051478625df7\", string3);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Utils.md5(\"\");\n Utils.encode(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.md5(\"d41d8cd98f00b204e9800998ecf8427e\");\n String string0 = Utils.encode(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.md5(\"d41d8cd98f00b204e9800998ecf8427e\");\n String string1 = Utils.convertEmailToHash(\"\");\n assertTrue(string1.equals((Object)string0));\n \n Utils.encode(\"MD5\");\n Utils.md5(\"MD5\");\n Utils.md5(\"7f138a09169b250e9dcb378140907378\");\n Utils.convertEmailToHash(\"I9//YO\");\n Utils.md5(\"d41d8cd98f00b204e9800998ecf8427e\");\n Utils.md5(\"%lA9v6Gpx%9\");\n Utils.encode(\"\");\n String string2 = Utils.encode(\"\");\n assertEquals(\"\", string2);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n // Undeclared exception!\n try { \n Utils.convertEmailToHash((String) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n\n @Test(timeout = 4000)\n public void test9() throws Throwable {\n Utils.md5(\"c~(35tH(LCrKyMU\u007fw\");\n Utils.md5(\"\");\n String string0 = \"\";\n Utils.convertEmailToHash(\"\");\n // Undeclared exception!\n try { \n Utils.convertEmailToHash((String) null);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 22:12:01 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Utils_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Utils\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmptaya3ym0\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Utils_ESTest_scaffolding.class.getClassLoader() ,\n \"Utils\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Utils_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Utils\"\n );\n }\n}\n", "class_idx": 276} {"class_name": "UndefinedStability", "java_source": "/*\n * Copyright 2015 Victor Nazarov .\n */\n\n/**\n * @author Victor Nazarov \n */\npublic class UndefinedStability extends Exception {\n UndefinedStability(String message) {\n super(message);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super UndefinedStability \n.super java/lang/Exception \n\n.method : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 12 \n L5 13 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'UndefinedStability.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 05:12:43 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class UndefinedStability_ESTest extends UndefinedStability_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UndefinedStability undefinedStability0 = new UndefinedStability(\"{1BO~$@qSt9R]gX}\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 05:12:43 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class UndefinedStability_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"UndefinedStability\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp3igrmisr\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UndefinedStability_ESTest_scaffolding.class.getClassLoader() ,\n \"UndefinedStability\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UndefinedStability_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"UndefinedStability\"\n );\n }\n}\n", "class_idx": 277} {"class_name": "DuplicatePair", "java_source": "/*\n * Title: Medicurator\n * Description: Near duplicate detection framework for heterogeneous medical data sources\n * Licence: Apache License Version 2.0 - http://www.apache.org/licenses/\n *\n * Copyright (c) 2016, Yiru Chen \n */\n\nimport java.io.Serializable;\nimport java.util.UUID;\n\n/** The near-duplicate pair data type. Consists of two image IDs. */\npublic class DuplicatePair implements Serializable {\n public UUID first;\n public UUID second;\n\n public DuplicatePair(UUID a, UUID b) {\n if (a.compareTo(b) <= 0) {\n first = a;\n second = b;\n } else {\n first = b;\n second = a;\n }\n }\n\n public boolean equals(Object obj) {\n DuplicatePair another = (DuplicatePair) obj;\n return first.equals(another.first) && second.equals(another.second);\n }\n\n public int hashCode() {\n return first.hashCode() ^ second.hashCode();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DuplicatePair \n.super java/lang/Object \n.implements java/io/Serializable \n.field public first Ljava/util/UUID; \n.field public second Ljava/util/UUID; \n\n.method public : (Ljava/util/UUID;Ljava/util/UUID;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_1 \nL5: aload_2 \nL6: invokevirtual Method java/util/UUID compareTo (Ljava/util/UUID;)I \nL9: ifgt L25 \nL12: aload_0 \nL13: aload_1 \nL14: putfield Field DuplicatePair first Ljava/util/UUID; \nL17: aload_0 \nL18: aload_2 \nL19: putfield Field DuplicatePair second Ljava/util/UUID; \nL22: goto L35 \n\n .stack full \n locals Object DuplicatePair Object java/util/UUID Object java/util/UUID \n stack \n .end stack \nL25: aload_0 \nL26: aload_2 \nL27: putfield Field DuplicatePair first Ljava/util/UUID; \nL30: aload_0 \nL31: aload_1 \nL32: putfield Field DuplicatePair second Ljava/util/UUID; \n\n .stack same \nL35: return \nL36: \n .linenumbertable \n L0 22 \n L4 23 \n L12 25 \n L17 26 \n L25 30 \n L30 31 \n L35 33 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_1 \nL1: checkcast DuplicatePair \nL4: astore_2 \nL5: aload_0 \nL6: getfield Field DuplicatePair first Ljava/util/UUID; \nL9: aload_2 \nL10: getfield Field DuplicatePair first Ljava/util/UUID; \nL13: invokevirtual Method java/util/UUID equals (Ljava/lang/Object;)Z \nL16: ifeq L37 \nL19: aload_0 \nL20: getfield Field DuplicatePair second Ljava/util/UUID; \nL23: aload_2 \nL24: getfield Field DuplicatePair second Ljava/util/UUID; \nL27: invokevirtual Method java/util/UUID equals (Ljava/lang/Object;)Z \nL30: ifeq L37 \nL33: iconst_1 \nL34: goto L38 \n\n .stack append Object DuplicatePair \nL37: iconst_0 \n\n .stack stack_1 Integer \nL38: ireturn \nL39: \n .linenumbertable \n L0 37 \n L5 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field DuplicatePair first Ljava/util/UUID; \nL4: invokevirtual Method java/util/UUID hashCode ()I \nL7: aload_0 \nL8: getfield Field DuplicatePair second Ljava/util/UUID; \nL11: invokevirtual Method java/util/UUID hashCode ()I \nL14: ixor \nL15: ireturn \nL16: \n .linenumbertable \n L0 43 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DuplicatePair.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 07:00:06 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.UUID;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockUUID;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DuplicatePair_ESTest extends DuplicatePair_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n UUID uUID0 = MockUUID.randomUUID();\n DuplicatePair duplicatePair0 = new DuplicatePair(uUID0, uUID0);\n UUID uUID1 = MockUUID.fromString(\"\");\n duplicatePair0.second = uUID1;\n DuplicatePair duplicatePair1 = new DuplicatePair(duplicatePair0.first, duplicatePair0.first);\n boolean boolean0 = duplicatePair0.equals(duplicatePair1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n UUID uUID0 = MockUUID.randomUUID();\n DuplicatePair duplicatePair0 = new DuplicatePair(uUID0, uUID0);\n boolean boolean0 = duplicatePair0.equals(duplicatePair0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n UUID uUID0 = MockUUID.fromString((String) null);\n DuplicatePair duplicatePair0 = new DuplicatePair(uUID0, uUID0);\n UUID uUID1 = MockUUID.randomUUID();\n duplicatePair0.second = uUID1;\n DuplicatePair duplicatePair1 = new DuplicatePair(duplicatePair0.second, duplicatePair0.second);\n boolean boolean0 = duplicatePair0.equals(duplicatePair1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n UUID uUID0 = MockUUID.randomUUID();\n UUID uUID1 = MockUUID.fromString(\"\");\n DuplicatePair duplicatePair0 = new DuplicatePair(uUID0, uUID1);\n DuplicatePair duplicatePair1 = new DuplicatePair(uUID1, duplicatePair0.first);\n assertTrue(duplicatePair1.equals((Object)duplicatePair0));\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n UUID uUID0 = MockUUID.randomUUID();\n DuplicatePair duplicatePair0 = new DuplicatePair(uUID0, uUID0);\n duplicatePair0.hashCode();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 07:00:06 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DuplicatePair_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DuplicatePair\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp260fnu0e\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DuplicatePair_ESTest_scaffolding.class.getClassLoader() ,\n \"DuplicatePair\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DuplicatePair_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DuplicatePair\"\n );\n }\n}\n", "class_idx": 278} {"class_name": "Liaison", "java_source": "/** Created by alexis on 28/12/2016. */\npublic class Liaison {\n\n private int id_liaison;\n private int id_emetteur;\n private int id_receveur;\n\n public Liaison(int id_liaison, int id_emetteur, int id_receveur) {\n this.id_liaison = id_liaison;\n this.id_emetteur = id_emetteur;\n this.id_receveur = id_receveur;\n }\n\n public int getId_liaison() {\n return id_liaison;\n }\n\n public void setId_liaison(int id_liaison) {\n this.id_liaison = id_liaison;\n }\n\n public int getId_emetteur() {\n return id_emetteur;\n }\n\n public void setId_emetteur(int id_emetteur) {\n this.id_emetteur = id_emetteur;\n }\n\n public int getId_receveur() {\n return id_receveur;\n }\n\n public void setId_receveur(int id_receveur) {\n this.id_receveur = id_receveur;\n }\n\n @Override\n public boolean equals(Object o) {\n if (this == o) return true;\n if (o == null || getClass() != o.getClass()) return false;\n\n Liaison liaison = (Liaison) o;\n\n if (id_liaison != liaison.id_liaison) return false;\n if (id_emetteur != liaison.id_emetteur) return false;\n return id_receveur == liaison.id_receveur;\n }\n\n @Override\n public int hashCode() {\n int result = id_liaison;\n result = 31 * result + id_emetteur;\n result = 31 * result + id_receveur;\n return result;\n }\n\n @Override\n public String toString() {\n return \"Liaison{\"\n + \"id_liaison=\"\n + id_liaison\n + \", id_emetteur=\"\n + id_emetteur\n + \", id_receveur=\"\n + id_receveur\n + '}';\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Liaison \n.super java/lang/Object \n.field private id_liaison I \n.field private id_emetteur I \n.field private id_receveur I \n\n.method public : (III)V \n .code stack 2 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: iload_1 \nL6: putfield Field Liaison id_liaison I \nL9: aload_0 \nL10: iload_2 \nL11: putfield Field Liaison id_emetteur I \nL14: aload_0 \nL15: iload_3 \nL16: putfield Field Liaison id_receveur I \nL19: return \nL20: \n .linenumbertable \n L0 12 \n L4 13 \n L9 14 \n L14 15 \n L19 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId_liaison : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Liaison id_liaison I \nL4: ireturn \nL5: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId_liaison : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Liaison id_liaison I \nL5: return \nL6: \n .linenumbertable \n L0 23 \n L5 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId_emetteur : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Liaison id_emetteur I \nL4: ireturn \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId_emetteur : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Liaison id_emetteur I \nL5: return \nL6: \n .linenumbertable \n L0 31 \n L5 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public getId_receveur : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Liaison id_receveur I \nL4: ireturn \nL5: \n .linenumbertable \n L0 35 \n .end linenumbertable \n .end code \n.end method \n\n.method public setId_receveur : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field Liaison id_receveur I \nL5: return \nL6: \n .linenumbertable \n L0 39 \n L5 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnull L22 \nL11: aload_0 \nL12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL15: aload_1 \nL16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL19: if_acmpeq L24 \n\n .stack same \nL22: iconst_0 \nL23: ireturn \n\n .stack same \nL24: aload_1 \nL25: checkcast Liaison \nL28: astore_2 \nL29: aload_0 \nL30: getfield Field Liaison id_liaison I \nL33: aload_2 \nL34: getfield Field Liaison id_liaison I \nL37: if_icmpeq L42 \nL40: iconst_0 \nL41: ireturn \n\n .stack append Object Liaison \nL42: aload_0 \nL43: getfield Field Liaison id_emetteur I \nL46: aload_2 \nL47: getfield Field Liaison id_emetteur I \nL50: if_icmpeq L55 \nL53: iconst_0 \nL54: ireturn \n\n .stack same \nL55: aload_0 \nL56: getfield Field Liaison id_receveur I \nL59: aload_2 \nL60: getfield Field Liaison id_receveur I \nL63: if_icmpne L70 \nL66: iconst_1 \nL67: goto L71 \n\n .stack same \nL70: iconst_0 \n\n .stack stack_1 Integer \nL71: ireturn \nL72: \n .linenumbertable \n L0 44 \n L7 45 \n L24 47 \n L29 49 \n L42 50 \n L55 51 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 2 locals 2 \nL0: aload_0 \nL1: getfield Field Liaison id_liaison I \nL4: istore_1 \nL5: bipush 31 \nL7: iload_1 \nL8: imul \nL9: aload_0 \nL10: getfield Field Liaison id_emetteur I \nL13: iadd \nL14: istore_1 \nL15: bipush 31 \nL17: iload_1 \nL18: imul \nL19: aload_0 \nL20: getfield Field Liaison id_receveur I \nL23: iadd \nL24: istore_1 \nL25: iload_1 \nL26: ireturn \nL27: \n .linenumbertable \n L0 57 \n L5 58 \n L15 59 \n L25 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 2 locals 1 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: ldc 'Liaison{id_liaison=' \nL9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL12: aload_0 \nL13: getfield Field Liaison id_liaison I \nL16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL19: ldc ', id_emetteur=' \nL21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL24: aload_0 \nL25: getfield Field Liaison id_emetteur I \nL28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL31: ldc ', id_receveur=' \nL33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL36: aload_0 \nL37: getfield Field Liaison id_receveur I \nL40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL43: bipush 125 \nL45: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; \nL48: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL51: areturn \nL52: \n .linenumbertable \n L0 65 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Liaison.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 22:48:29 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Liaison_ESTest extends Liaison_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Liaison liaison0 = new Liaison(125, 125, (-71596));\n Liaison liaison1 = new Liaison((-77150), (-71596), 0);\n boolean boolean0 = liaison0.equals(liaison1);\n assertEquals((-71596), liaison0.getId_receveur());\n assertEquals((-71596), liaison1.getId_emetteur());\n assertFalse(boolean0);\n assertEquals((-77150), liaison1.getId_liaison());\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), 0);\n int int0 = liaison0.getId_receveur();\n assertEquals((-4588), liaison0.getId_emetteur());\n assertEquals((-4588), liaison0.getId_liaison());\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Liaison liaison0 = new Liaison((-14003), (-14003), 0);\n liaison0.setId_receveur(559);\n int int0 = liaison0.getId_receveur();\n assertEquals(559, int0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Liaison liaison0 = new Liaison(125, 125, (-1));\n int int0 = liaison0.getId_liaison();\n assertEquals(125, int0);\n assertEquals(125, liaison0.getId_emetteur());\n assertEquals((-1), liaison0.getId_receveur());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Liaison liaison0 = new Liaison((-54228), (-18098), (-18098));\n liaison0.setId_emetteur(65513);\n int int0 = liaison0.getId_emetteur();\n assertEquals(65513, int0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Liaison liaison0 = new Liaison(42969, 42969, (-73400));\n Liaison liaison1 = new Liaison(42969, 0, 42969);\n boolean boolean0 = liaison0.equals(liaison1);\n assertEquals(42969, liaison1.getId_liaison());\n assertEquals(42969, liaison0.getId_emetteur());\n assertFalse(boolean0);\n assertEquals(42969, liaison1.getId_receveur());\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Liaison liaison0 = new Liaison((-93022), 0, 0);\n Liaison liaison1 = new Liaison(0, (-93022), (-93022));\n boolean boolean0 = liaison0.equals(liaison1);\n assertFalse(boolean0);\n assertEquals((-93022), liaison1.getId_emetteur());\n assertEquals((-93022), liaison1.getId_receveur());\n assertEquals((-93022), liaison0.getId_liaison());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Liaison liaison0 = new Liaison(22294, (-96760), (-18002));\n boolean boolean0 = liaison0.equals(\"Liaison{id_liaison=-6572, id_emetteur=-36173, id_receveur=-6572}\");\n assertEquals((-96760), liaison0.getId_emetteur());\n assertEquals((-18002), liaison0.getId_receveur());\n assertEquals(22294, liaison0.getId_liaison());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n Liaison liaison1 = new Liaison((-4588), (-4588), 0);\n boolean boolean0 = liaison0.equals(liaison1);\n assertEquals((-4588), liaison1.getId_emetteur());\n assertFalse(liaison1.equals((Object)liaison0));\n assertEquals((-4588), liaison1.getId_liaison());\n assertEquals((-4588), liaison0.getId_receveur());\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n boolean boolean0 = liaison0.equals((Object) null);\n assertFalse(boolean0);\n assertEquals((-4588), liaison0.getId_emetteur());\n assertEquals((-4588), liaison0.getId_receveur());\n assertEquals((-4588), liaison0.getId_liaison());\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n int int0 = liaison0.getId_receveur();\n assertEquals((-4588), liaison0.getId_emetteur());\n assertEquals((-4588), int0);\n assertEquals((-4588), liaison0.getId_liaison());\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n liaison0.setId_emetteur(0);\n int int0 = liaison0.getId_emetteur();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n int int0 = liaison0.getId_emetteur();\n assertEquals((-4588), int0);\n assertEquals((-4588), liaison0.getId_receveur());\n assertEquals((-4588), liaison0.getId_liaison());\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n liaison0.hashCode();\n assertEquals((-4588), liaison0.getId_liaison());\n assertEquals((-4588), liaison0.getId_receveur());\n assertEquals((-4588), liaison0.getId_emetteur());\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n int int0 = liaison0.getId_liaison();\n assertEquals((-4588), liaison0.getId_receveur());\n assertEquals((-4588), liaison0.getId_emetteur());\n assertEquals((-4588), int0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n liaison0.setId_liaison(0);\n int int0 = liaison0.getId_liaison();\n assertEquals(0, int0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n Liaison liaison0 = new Liaison((-4588), (-4588), (-4588));\n String string0 = liaison0.toString();\n assertEquals(\"Liaison{id_liaison=-4588, id_emetteur=-4588, id_receveur=-4588}\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 22:48:29 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Liaison_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Liaison\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpt8vs4pst\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Liaison_ESTest_scaffolding.class.getClassLoader() ,\n \"Liaison\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Liaison_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Liaison\"\n );\n }\n}\n", "class_idx": 279} {"class_name": "DAOException", "java_source": "public class DAOException extends Exception {\n\n public DAOException() {\n super();\n }\n\n public DAOException(String s) {\n super(s);\n }\n\n public DAOException(Exception e) {\n super(e);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DAOException \n.super java/lang/Exception \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n L4 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 10 \n L5 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Exception;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 14 \n L5 15 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DAOException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 03:51:08 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DAOException_ESTest extends DAOException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DAOException dAOException0 = new DAOException();\n DAOException dAOException1 = new DAOException(dAOException0);\n assertFalse(dAOException1.equals((Object)dAOException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n DAOException dAOException0 = new DAOException(\"\");\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 03:51:08 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DAOException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DAOException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp728mtrc7\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DAOException_ESTest_scaffolding.class.getClassLoader() ,\n \"DAOException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DAOException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DAOException\"\n );\n }\n}\n", "class_idx": 280} {"class_name": "Undefined", "java_source": "/**\n * Copyright (c) 2012-2014 Andr\u00e9 Bargull Alle Rechte vorbehalten / All Rights Reserved. Use is\n * subject to license terms.\n *\n *

\n */\n\n/**\n *\n *\n *

6 ECMAScript Data Types and Values

\n *\n *
\n *\n *

6.1 ECMAScript Language Types

\n *\n *
    \n *
  • 6.1.1 The Undefined Type\n *
\n */\npublic final class Undefined {\n public static final Undefined UNDEFINED = new Undefined();\n\n private Undefined() {}\n\n @Override\n public String toString() {\n return \"undefined\";\n }\n}\n", "jasm_code": ".version 52 0 \n.class public final super Undefined \n.super java/lang/Object \n.field public static final UNDEFINED LUndefined; \n\n.method private : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 19 \n L4 20 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: ldc 'undefined' \nL2: areturn \nL3: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 2 locals 0 \nL0: new Undefined \nL3: dup \nL4: invokespecial Method Undefined ()V \nL7: putstatic Field Undefined UNDEFINED LUndefined; \nL10: return \nL11: \n .linenumbertable \n L0 17 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Undefined.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 17:08:00 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Undefined_ESTest extends Undefined_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Undefined undefined0 = Undefined.UNDEFINED;\n String string0 = undefined0.toString();\n assertEquals(\"undefined\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 17:08:00 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Undefined_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Undefined\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp3cgh5t6o\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Undefined_ESTest_scaffolding.class.getClassLoader() ,\n \"Undefined\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Undefined_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Undefined\"\n );\n }\n}\n", "class_idx": 281} {"class_name": "MyClientServer", "java_source": "import java.io.*;\nimport java.net.Socket;\nimport java.net.SocketTimeoutException;\n\n/** Created by ljh on 2016/8/1. */\npublic class MyClientServer {\n // \u8bfb\u53d6\u5ba2\u6237\u7aef\u6570\u636e\n public static void main(String[] args) throws IOException {\n Socket client = new Socket(\"127.0.0.1\", 10086);\n client.setSoTimeout(10000);\n\n // \u83b7\u53d6\u952e\u76d8\u8f93\u5165\n BufferedReader input = new BufferedReader(new InputStreamReader(System.in));\n // \u83b7\u53d6Socket\u7684\u8f93\u51fa\u6d41\uff0c\u7528\u6765\u53d1\u9001\u6570\u636e\u5230\u670d\u52a1\u7aef\n PrintStream out = new PrintStream(client.getOutputStream());\n // \u83b7\u53d6Socket\u7684\u8f93\u5165\u6d41\uff0c\u7528\u6765\u63a5\u6536\u4ece\u670d\u52a1\u7aef\u53d1\u9001\u8fc7\u6765\u7684\u6570\u636e\n BufferedReader buf = new BufferedReader(new InputStreamReader(client.getInputStream()));\n\n boolean flag = true;\n while (flag) {\n System.out.print(\"\u8f93\u5165\u4fe1\u606f\uff1a\");\n String str = input.readLine();\n // \u53d1\u9001\u6570\u636e\u5230\u670d\u52a1\u7aef\n out.println(str);\n if (\"bye\".equals(str)) {\n flag = false;\n } else {\n try {\n // \u4ece\u670d\u52a1\u5668\u7aef\u63a5\u6536\u6570\u636e\u6709\u4e2a\u65f6\u95f4\u9650\u5236\uff08\u7cfb\u7edf\u81ea\u8bbe\uff0c\u4e5f\u53ef\u4ee5\u81ea\u5df1\u8bbe\u7f6e\uff09\uff0c\u8d85\u8fc7\u4e86\u8fd9\u4e2a\u65f6\u95f4\uff0c\u4fbf\u4f1a\u629b\u51fa\u8be5\u5f02\u5e38\n String echo = buf.readLine();\n System.out.println(echo);\n } catch (SocketTimeoutException e) {\n System.out.println(\"Time out, No response\");\n }\n }\n }\n input.close();\n\n if (client != null) {\n // \u5982\u679c\u6784\u9020\u51fd\u6570\u5efa\u7acb\u8d77\u4e86\u8fde\u63a5\uff0c\u5219\u5173\u95ed\u5957\u63a5\u5b57\uff0c\u5982\u679c\u6ca1\u6709\u5efa\u7acb\u8d77\u8fde\u63a5\uff0c\u81ea\u7136\u4e0d\u7528\u5173\u95ed\n client.close(); // \u53ea\u5173\u95edsocket\uff0c\u5176\u5173\u8054\u7684\u8f93\u5165\u8f93\u51fa\u6d41\u4e5f\u4f1a\u88ab\u5173\u95ed\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MyClientServer \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 10 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 5 locals 8 \nL0: new java/net/Socket \nL3: dup \nL4: ldc '127.0.0.1' \nL6: sipush 10086 \nL9: invokespecial Method java/net/Socket (Ljava/lang/String;I)V \nL12: astore_1 \nL13: aload_1 \nL14: sipush 10000 \nL17: invokevirtual Method java/net/Socket setSoTimeout (I)V \nL20: new java/io/BufferedReader \nL23: dup \nL24: new java/io/InputStreamReader \nL27: dup \nL28: getstatic Field java/lang/System in Ljava/io/InputStream; \nL31: invokespecial Method java/io/InputStreamReader (Ljava/io/InputStream;)V \nL34: invokespecial Method java/io/BufferedReader (Ljava/io/Reader;)V \nL37: astore_2 \nL38: new java/io/PrintStream \nL41: dup \nL42: aload_1 \nL43: invokevirtual Method java/net/Socket getOutputStream ()Ljava/io/OutputStream; \nL46: invokespecial Method java/io/PrintStream (Ljava/io/OutputStream;)V \nL49: astore_3 \nL50: new java/io/BufferedReader \nL53: dup \nL54: new java/io/InputStreamReader \nL57: dup \nL58: aload_1 \nL59: invokevirtual Method java/net/Socket getInputStream ()Ljava/io/InputStream; \nL62: invokespecial Method java/io/InputStreamReader (Ljava/io/InputStream;)V \nL65: invokespecial Method java/io/BufferedReader (Ljava/io/Reader;)V \nL68: astore 4 \nL70: iconst_1 \nL71: istore 5 \n\n .stack full \n locals Object [Ljava/lang/String; Object java/net/Socket Object java/io/BufferedReader Object java/io/PrintStream Object java/io/BufferedReader Integer \n stack \n .end stack \nL73: iload 5 \nL75: ifeq L145 \nL78: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL81: ldc '\u8f93\u5165\u4fe1\u606f\uff1a' \nL83: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V \nL86: aload_2 \nL87: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String; \nL90: astore 6 \nL92: aload_3 \nL93: aload 6 \nL95: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL98: ldc 'bye' \nL100: aload 6 \nL102: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z \nL105: ifeq L114 \nL108: iconst_0 \nL109: istore 5 \nL111: goto L142 \n .catch java/net/SocketTimeoutException from L114 to L129 using L132 \n\n .stack append Object java/lang/String \nL114: aload 4 \nL116: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String; \nL119: astore 7 \nL121: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL124: aload 7 \nL126: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL129: goto L142 \n\n .stack stack_1 Object java/net/SocketTimeoutException \nL132: astore 7 \nL134: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL137: ldc 'Time out, No response' \nL139: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \n\n .stack chop 1 \nL142: goto L73 \n\n .stack same \nL145: aload_2 \nL146: invokevirtual Method java/io/BufferedReader close ()V \nL149: aload_1 \nL150: ifnull L157 \nL153: aload_1 \nL154: invokevirtual Method java/net/Socket close ()V \n\n .stack same \nL157: return \nL158: \n .linenumbertable \n L0 13 \n L13 14 \n L20 17 \n L38 19 \n L50 21 \n L70 23 \n L73 24 \n L78 25 \n L86 26 \n L92 28 \n L98 29 \n L108 30 \n L114 34 \n L121 35 \n L129 38 \n L132 36 \n L134 37 \n L142 40 \n L145 41 \n L149 43 \n L153 45 \n L157 47 \n .end linenumbertable \n .end code \n .exceptions java/io/IOException \n.end method \n.sourcefile 'MyClientServer.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 10:09:51 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport java.io.IOException;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MyClientServer_ESTest extends MyClientServer_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[5];\n try { \n MyClientServer.main(stringArray0);\n fail(\"Expecting exception: IOException\");\n \n } catch(IOException e) {\n //\n // Remote address/port is not opened: org.evosuite.runtime.vnet.EndPointInfo@6659124a\n //\n verifyException(\"org.evosuite.runtime.vnet.VirtualNetwork\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n MyClientServer myClientServer0 = new MyClientServer();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 10:09:51 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MyClientServer_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MyClientServer\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmphxspyt70\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MyClientServer_ESTest_scaffolding.class.getClassLoader() ,\n \"MyClientServer\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyClientServer_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MyClientServer\"\n );\n }\n}\n", "class_idx": 282} {"class_name": "Direction", "java_source": "/**\n * The Class Direction. Represent a direction vector X=1 represents left move X=0 no horizontal move\n * X=-1 rigth move Y=0 no vertical move Y=1 up move Y=-1 down move\n */\npublic class Direction {\n\n public static final Integer NO_HORIZONTAL_MOVE = 0;\n public static final Integer NO_VERTICAL_MOVE = 0;\n public static final Integer LEFT_MOVE = 1;\n public static final Integer RIGHT_MOVE = -1;\n public static final Integer DOWN_MOVE = 1;\n public static final Integer UP_MOVE = -1;\n\n /** The x. */\n private Integer x;\n\n /** The y. */\n private Integer y;\n\n /** Instantiates a new direction. */\n public Direction() {\n super();\n x = LEFT_MOVE;\n y = NO_VERTICAL_MOVE;\n }\n\n /**\n * Gets the x.\n *\n * @return the x\n */\n public Integer getX() {\n return x;\n }\n\n /**\n * Sets the x.\n *\n * @param x the new x\n */\n public void setX(Integer x) {\n this.x = x;\n }\n\n /**\n * Gets the y.\n *\n * @return the y\n */\n public Integer getY() {\n return y;\n }\n\n /**\n * Sets the y.\n *\n * @param y the new y\n */\n public void setY(Integer y) {\n this.y = y;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Direction \n.super java/lang/Object \n.field public static final NO_HORIZONTAL_MOVE Ljava/lang/Integer; \n.field public static final NO_VERTICAL_MOVE Ljava/lang/Integer; \n.field public static final LEFT_MOVE Ljava/lang/Integer; \n.field public static final RIGHT_MOVE Ljava/lang/Integer; \n.field public static final DOWN_MOVE Ljava/lang/Integer; \n.field public static final UP_MOVE Ljava/lang/Integer; \n.field private x Ljava/lang/Integer; \n.field private y Ljava/lang/Integer; \n\n.method public : ()V \n .code stack 2 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: getstatic Field Direction LEFT_MOVE Ljava/lang/Integer; \nL8: putfield Field Direction x Ljava/lang/Integer; \nL11: aload_0 \nL12: getstatic Field Direction NO_VERTICAL_MOVE Ljava/lang/Integer; \nL15: putfield Field Direction y Ljava/lang/Integer; \nL18: return \nL19: \n .linenumbertable \n L0 35 \n L4 36 \n L11 37 \n L18 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public getX : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Direction x Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public setX : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Direction x Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 55 \n L5 56 \n .end linenumbertable \n .end code \n.end method \n\n.method public getY : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Direction y Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 64 \n .end linenumbertable \n .end code \n.end method \n\n.method public setY : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Direction y Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 73 \n L5 74 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 1 locals 0 \nL0: iconst_0 \nL1: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL4: putstatic Field Direction NO_HORIZONTAL_MOVE Ljava/lang/Integer; \nL7: iconst_0 \nL8: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL11: putstatic Field Direction NO_VERTICAL_MOVE Ljava/lang/Integer; \nL14: iconst_1 \nL15: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL18: putstatic Field Direction LEFT_MOVE Ljava/lang/Integer; \nL21: iconst_m1 \nL22: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL25: putstatic Field Direction RIGHT_MOVE Ljava/lang/Integer; \nL28: iconst_1 \nL29: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL32: putstatic Field Direction DOWN_MOVE Ljava/lang/Integer; \nL35: iconst_m1 \nL36: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; \nL39: putstatic Field Direction UP_MOVE Ljava/lang/Integer; \nL42: return \nL43: \n .linenumbertable \n L0 17 \n L7 18 \n L14 19 \n L21 20 \n L28 21 \n L35 22 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Direction.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 11:01:10 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Direction_ESTest extends Direction_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Direction direction0 = new Direction();\n direction0.setY((Integer) null);\n Integer integer0 = direction0.getY();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Direction direction0 = new Direction();\n Integer integer0 = Direction.DOWN_MOVE;\n direction0.setY(integer0);\n Integer integer1 = direction0.getY();\n assertEquals(1, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Direction direction0 = new Direction();\n direction0.setX((Integer) null);\n Integer integer0 = direction0.getX();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Direction direction0 = new Direction();\n Integer integer0 = Direction.UP_MOVE;\n direction0.setX(integer0);\n Integer integer1 = direction0.getX();\n assertEquals((-1), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Direction direction0 = new Direction();\n Integer integer0 = direction0.getY();\n assertEquals(0, (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Direction direction0 = new Direction();\n direction0.setX(direction0.NO_HORIZONTAL_MOVE);\n Integer integer0 = direction0.getX();\n assertEquals(0, (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Direction direction0 = new Direction();\n direction0.setY(direction0.RIGHT_MOVE);\n Integer integer0 = direction0.getY();\n assertEquals((-1), (int)integer0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Direction direction0 = new Direction();\n Integer integer0 = direction0.getX();\n assertEquals(1, (int)integer0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 11:01:10 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Direction_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Direction\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6jaq0o12\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Direction_ESTest_scaffolding.class.getClassLoader() ,\n \"Direction\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Direction_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Direction\"\n );\n }\n}\n", "class_idx": 283} {"class_name": "milletltetmo", "java_source": "// This file is automatically generated.\n\n/*\n * Samsung Galaxy Tab 4 8.0\n *\n * DEVICE: milletltetmo\n * MODEL: SM-T337T\n */\nfinal class milletltetmo {\n public static final String DATA = \"Samsung|Galaxy Tab 4 8.0|Galaxy Tab\";\n}\n", "jasm_code": ".version 52 0 \n.class final super milletltetmo \n.super java/lang/Object \n.field public static final DATA Ljava/lang/String; = 'Samsung|Galaxy Tab 4 8.0|Galaxy Tab' \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 11 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'milletltetmo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 03:13:06 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class milletltetmo_ESTest extends milletltetmo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n milletltetmo milletltetmo0 = new milletltetmo();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 03:13:06 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class milletltetmo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"milletltetmo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpkq6v5qko\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(milletltetmo_ESTest_scaffolding.class.getClassLoader() ,\n \"milletltetmo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(milletltetmo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"milletltetmo\"\n );\n }\n}\n", "class_idx": 284} {"class_name": "PersonSuggestResult", "java_source": "/*\n * Copyright 2020 Global Biodiversity Information Facility (GBIF)\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\nimport java.util.Objects;\nimport java.util.StringJoiner;\nimport java.util.UUID;\n\n/** Model object for suggest searchs of persons in collections. */\npublic class PersonSuggestResult {\n\n private UUID key;\n private String firstName;\n private String lastName;\n private String email;\n\n public PersonSuggestResult() {}\n\n public PersonSuggestResult(UUID key, String firstName, String lastName, String email) {\n this.key = key;\n this.firstName = firstName;\n this.lastName = lastName;\n this.email = email;\n }\n\n public UUID getKey() {\n return key;\n }\n\n public void setKey(UUID key) {\n this.key = key;\n }\n\n public String getFirstName() {\n return firstName;\n }\n\n public void setFirstName(String firstName) {\n this.firstName = firstName;\n }\n\n public String getLastName() {\n return lastName;\n }\n\n public void setLastName(String lastName) {\n this.lastName = lastName;\n }\n\n public String getEmail() {\n return email;\n }\n\n public void setEmail(String email) {\n this.email = email;\n }\n\n @Override\n public boolean equals(Object o) {\n if (this == o) return true;\n if (o == null || getClass() != o.getClass()) return false;\n PersonSuggestResult that = (PersonSuggestResult) o;\n return Objects.equals(key, that.key)\n && Objects.equals(firstName, that.firstName)\n && Objects.equals(lastName, that.lastName)\n && Objects.equals(email, that.email);\n }\n\n @Override\n public int hashCode() {\n return Objects.hash(key, firstName, lastName, email);\n }\n\n @Override\n public String toString() {\n return new StringJoiner(\", \", PersonSuggestResult.class.getSimpleName() + \"[\", \"]\")\n .add(\"key=\" + key)\n .add(\"firstName='\" + firstName + \"'\")\n .add(\"lastName='\" + lastName + \"'\")\n .add(\"email='\" + email + \"'\")\n .toString();\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super PersonSuggestResult \n.super java/lang/Object \n.field private key Ljava/util/UUID; \n.field private firstName Ljava/lang/String; \n.field private lastName Ljava/lang/String; \n.field private email Ljava/lang/String; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 32 \n L4 34 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/util/UUID;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field PersonSuggestResult key Ljava/util/UUID; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field PersonSuggestResult firstName Ljava/lang/String; \nL14: aload_0 \nL15: aload_3 \nL16: putfield Field PersonSuggestResult lastName Ljava/lang/String; \nL19: aload_0 \nL20: aload 4 \nL22: putfield Field PersonSuggestResult email Ljava/lang/String; \nL25: return \nL26: \n .linenumbertable \n L0 36 \n L4 37 \n L9 38 \n L14 39 \n L19 40 \n L25 41 \n .end linenumbertable \n .end code \n.end method \n\n.method public getKey : ()Ljava/util/UUID; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PersonSuggestResult key Ljava/util/UUID; \nL4: areturn \nL5: \n .linenumbertable \n L0 44 \n .end linenumbertable \n .end code \n.end method \n\n.method public setKey : (Ljava/util/UUID;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PersonSuggestResult key Ljava/util/UUID; \nL5: return \nL6: \n .linenumbertable \n L0 48 \n L5 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public getFirstName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PersonSuggestResult firstName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 52 \n .end linenumbertable \n .end code \n.end method \n\n.method public setFirstName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PersonSuggestResult firstName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 56 \n L5 57 \n .end linenumbertable \n .end code \n.end method \n\n.method public getLastName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PersonSuggestResult lastName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 60 \n .end linenumbertable \n .end code \n.end method \n\n.method public setLastName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PersonSuggestResult lastName Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 64 \n L5 65 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEmail : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field PersonSuggestResult email Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 68 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEmail : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field PersonSuggestResult email Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 72 \n L5 73 \n .end linenumbertable \n .end code \n.end method \n\n.method public equals : (Ljava/lang/Object;)Z \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: if_acmpne L7 \nL5: iconst_1 \nL6: ireturn \n\n .stack same \nL7: aload_1 \nL8: ifnull L22 \nL11: aload_0 \nL12: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL15: aload_1 \nL16: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; \nL19: if_acmpeq L24 \n\n .stack same \nL22: iconst_0 \nL23: ireturn \n\n .stack same \nL24: aload_1 \nL25: checkcast PersonSuggestResult \nL28: astore_2 \nL29: aload_0 \nL30: getfield Field PersonSuggestResult key Ljava/util/UUID; \nL33: aload_2 \nL34: getfield Field PersonSuggestResult key Ljava/util/UUID; \nL37: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z \nL40: ifeq L89 \nL43: aload_0 \nL44: getfield Field PersonSuggestResult firstName Ljava/lang/String; \nL47: aload_2 \nL48: getfield Field PersonSuggestResult firstName Ljava/lang/String; \nL51: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z \nL54: ifeq L89 \nL57: aload_0 \nL58: getfield Field PersonSuggestResult lastName Ljava/lang/String; \nL61: aload_2 \nL62: getfield Field PersonSuggestResult lastName Ljava/lang/String; \nL65: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z \nL68: ifeq L89 \nL71: aload_0 \nL72: getfield Field PersonSuggestResult email Ljava/lang/String; \nL75: aload_2 \nL76: getfield Field PersonSuggestResult email Ljava/lang/String; \nL79: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z \nL82: ifeq L89 \nL85: iconst_1 \nL86: goto L90 \n\n .stack append Object PersonSuggestResult \nL89: iconst_0 \n\n .stack stack_1 Integer \nL90: ireturn \nL91: \n .linenumbertable \n L0 77 \n L7 78 \n L24 79 \n L29 80 \n L51 81 \n L65 82 \n L79 84 \n L90 80 \n .end linenumbertable \n .end code \n.end method \n\n.method public hashCode : ()I \n .code stack 4 locals 1 \nL0: iconst_4 \nL1: anewarray java/lang/Object \nL4: dup \nL5: iconst_0 \nL6: aload_0 \nL7: getfield Field PersonSuggestResult key Ljava/util/UUID; \nL10: aastore \nL11: dup \nL12: iconst_1 \nL13: aload_0 \nL14: getfield Field PersonSuggestResult firstName Ljava/lang/String; \nL17: aastore \nL18: dup \nL19: iconst_2 \nL20: aload_0 \nL21: getfield Field PersonSuggestResult lastName Ljava/lang/String; \nL24: aastore \nL25: dup \nL26: iconst_3 \nL27: aload_0 \nL28: getfield Field PersonSuggestResult email Ljava/lang/String; \nL31: aastore \nL32: invokestatic Method java/util/Objects hash ([Ljava/lang/Object;)I \nL35: ireturn \nL36: \n .linenumbertable \n L0 89 \n .end linenumbertable \n .end code \n.end method \n\n.method public toString : ()Ljava/lang/String; \n .code stack 5 locals 1 \nL0: new java/util/StringJoiner \nL3: dup \nL4: ldc ', ' \nL6: new java/lang/StringBuilder \nL9: dup \nL10: invokespecial Method java/lang/StringBuilder ()V \nL13: ldc Class PersonSuggestResult \nL15: invokevirtual Method java/lang/Class getSimpleName ()Ljava/lang/String; \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: ldc '[' \nL23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL29: ldc ']' \nL31: invokespecial Method java/util/StringJoiner (Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;)V \nL34: new java/lang/StringBuilder \nL37: dup \nL38: invokespecial Method java/lang/StringBuilder ()V \nL41: ldc 'key=' \nL43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL46: aload_0 \nL47: getfield Field PersonSuggestResult key Ljava/util/UUID; \nL50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; \nL53: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL56: invokevirtual Method java/util/StringJoiner add (Ljava/lang/CharSequence;)Ljava/util/StringJoiner; \nL59: new java/lang/StringBuilder \nL62: dup \nL63: invokespecial Method java/lang/StringBuilder ()V \nL66: ldc \"firstName='\" \nL68: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL71: aload_0 \nL72: getfield Field PersonSuggestResult firstName Ljava/lang/String; \nL75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL78: ldc \"'\" \nL80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL83: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL86: invokevirtual Method java/util/StringJoiner add (Ljava/lang/CharSequence;)Ljava/util/StringJoiner; \nL89: new java/lang/StringBuilder \nL92: dup \nL93: invokespecial Method java/lang/StringBuilder ()V \nL96: ldc \"lastName='\" \nL98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL101: aload_0 \nL102: getfield Field PersonSuggestResult lastName Ljava/lang/String; \nL105: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL108: ldc \"'\" \nL110: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL113: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL116: invokevirtual Method java/util/StringJoiner add (Ljava/lang/CharSequence;)Ljava/util/StringJoiner; \nL119: new java/lang/StringBuilder \nL122: dup \nL123: invokespecial Method java/lang/StringBuilder ()V \nL126: ldc \"email='\" \nL128: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL131: aload_0 \nL132: getfield Field PersonSuggestResult email Ljava/lang/String; \nL135: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL138: ldc \"'\" \nL140: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL143: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL146: invokevirtual Method java/util/StringJoiner add (Ljava/lang/CharSequence;)Ljava/util/StringJoiner; \nL149: invokevirtual Method java/util/StringJoiner toString ()Ljava/lang/String; \nL152: areturn \nL153: \n .linenumbertable \n L0 94 \n L86 95 \n L116 96 \n L146 97 \n L149 98 \n L152 94 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'PersonSuggestResult.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 10:28:40 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.UUID;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.Random;\nimport org.evosuite.runtime.mock.java.util.MockUUID;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class PersonSuggestResult_ESTest extends PersonSuggestResult_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n personSuggestResult0.setLastName(\"PersonSuggestResult[key=null, firstName='null', lastName='null', email='null']\");\n String string0 = personSuggestResult0.getLastName();\n assertEquals(\"PersonSuggestResult[key=null, firstName='null', lastName='null', email='null']\", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n UUID uUID0 = MockUUID.fromString(\"\");\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult(uUID0, \"]0ld G}hFhz\", \"]0ld G}hFhz\", \"'6/62zNU>w00|_7>;Vw\");\n personSuggestResult0.setLastName(\"\");\n String string0 = personSuggestResult0.getLastName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Random.setNextRandom(3070);\n UUID uUID0 = MockUUID.randomUUID();\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult(uUID0, \"i5\", \"\", \"\");\n UUID uUID1 = personSuggestResult0.getKey();\n assertEquals((-141018959053111296L), uUID1.getMostSignificantBits());\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n UUID uUID0 = MockUUID.fromString(\"\");\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult(uUID0, \"]0ld G}hFhz\", \"]0ld G}hFhz\", \"'6/62zNU>w00|_7>;Vw\");\n UUID uUID1 = personSuggestResult0.getKey();\n assertEquals((-9079256848728588288L), uUID1.getLeastSignificantBits());\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n personSuggestResult0.setFirstName(\"email='\");\n String string0 = personSuggestResult0.getFirstName();\n assertEquals(\"email='\", string0);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n UUID uUID0 = MockUUID.randomUUID();\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult(uUID0, \"\", \"\", \"\");\n String string0 = personSuggestResult0.getFirstName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n UUID uUID0 = MockUUID.fromString(\"\");\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult(uUID0, \"]0ld G}hFhz\", \"]0ld G}hFhz\", \"'6/62zNU>w00|_7>;Vw\");\n String string0 = personSuggestResult0.getEmail();\n assertEquals(\"'6/62zNU>w00|_7>;Vw\", string0);\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n personSuggestResult0.setEmail(\"\");\n String string0 = personSuggestResult0.getEmail();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n personSuggestResult0.setLastName(\"K}vIHb\\\"8yC\");\n PersonSuggestResult personSuggestResult1 = new PersonSuggestResult();\n boolean boolean0 = personSuggestResult0.equals(personSuggestResult1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n PersonSuggestResult personSuggestResult1 = new PersonSuggestResult();\n UUID uUID0 = MockUUID.randomUUID();\n personSuggestResult0.setKey(uUID0);\n boolean boolean0 = personSuggestResult1.equals(personSuggestResult0);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n Object object0 = new Object();\n boolean boolean0 = personSuggestResult0.equals(object0);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n PersonSuggestResult personSuggestResult1 = new PersonSuggestResult();\n boolean boolean0 = personSuggestResult0.equals(personSuggestResult1);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n boolean boolean0 = personSuggestResult0.equals(personSuggestResult0);\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n boolean boolean0 = personSuggestResult0.equals((Object) null);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n String string0 = personSuggestResult0.getFirstName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n String string0 = personSuggestResult0.getEmail();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test16() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n String string0 = personSuggestResult0.getLastName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test17() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n personSuggestResult0.toString();\n personSuggestResult0.hashCode();\n personSuggestResult0.getKey();\n PersonSuggestResult personSuggestResult1 = new PersonSuggestResult();\n personSuggestResult1.hashCode();\n personSuggestResult1.equals(personSuggestResult0);\n personSuggestResult0.getFirstName();\n personSuggestResult0.getLastName();\n personSuggestResult0.setKey((UUID) null);\n assertTrue(personSuggestResult0.equals((Object)personSuggestResult1));\n \n personSuggestResult1.setLastName(\"PersonSuggestResult[key=null, firstName='null', lastName='null', email='null']\");\n personSuggestResult0.setFirstName(\"email='\");\n personSuggestResult0.setEmail(\"\");\n personSuggestResult1.getEmail();\n personSuggestResult1.toString();\n assertFalse(personSuggestResult1.equals((Object)personSuggestResult0));\n }\n\n @Test(timeout = 4000)\n public void test18() throws Throwable {\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult();\n personSuggestResult0.setEmail(\"\");\n PersonSuggestResult personSuggestResult1 = new PersonSuggestResult();\n boolean boolean0 = personSuggestResult0.equals(personSuggestResult1);\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test19() throws Throwable {\n UUID uUID0 = MockUUID.fromString(\"\");\n PersonSuggestResult personSuggestResult0 = new PersonSuggestResult(uUID0, \"]0ld G}hFhz\", \"]0ld G}hFhz\", \"'6/62zNU>w00|_7>;Vw\");\n PersonSuggestResult personSuggestResult1 = new PersonSuggestResult(uUID0, \"PersonSuggestResult[key=00000000-0100-4000-8200-000003000000, firstName=']0ld G}hFhz', lastName=']0ld G}hFhz', email=''6/62zNU>w00|_7>;Vw']\", \"T++\", \"\");\n boolean boolean0 = personSuggestResult0.equals(personSuggestResult1);\n assertFalse(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 10:28:40 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class PersonSuggestResult_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"PersonSuggestResult\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpr4ipgtft\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PersonSuggestResult_ESTest_scaffolding.class.getClassLoader() ,\n \"PersonSuggestResult\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PersonSuggestResult_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"PersonSuggestResult\"\n );\n }\n}\n", "class_idx": 285} {"class_name": "BuildConfig", "java_source": "/** Automatically generated file. DO NOT MODIFY */\npublic final class BuildConfig {\n public static final boolean DEBUG = true;\n}\n", "jasm_code": ".version 52 0 \n.class public final super BuildConfig \n.super java/lang/Object \n.field public static final DEBUG Z = 1 \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 4 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BuildConfig.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 10:03:23 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BuildConfig_ESTest extends BuildConfig_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n BuildConfig buildConfig0 = new BuildConfig();\n assertTrue(BuildConfig.DEBUG);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 10:03:23 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BuildConfig_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BuildConfig\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpnoywx819\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BuildConfig_ESTest_scaffolding.class.getClassLoader() ,\n \"BuildConfig\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BuildConfig_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BuildConfig\"\n );\n }\n}\n", "class_idx": 286} {"class_name": "ConversionMaps", "java_source": "///////////////////////////////////////////////////////////////////////////////\n//\n// JTOpen (IBM Toolbox for Java - OSS version)\n//\n// Filename: ConversionMaps.java\n//\n// The source code contained herein is licensed under the IBM Public License\n// Version 1.0, which has been approved by the Open Source Initiative.\n// Copyright (C) 1997-2004 International Business Machines Corporation and\n// others. All rights reserved.\n//\n///////////////////////////////////////////////////////////////////////////////\n\nimport java.util.Enumeration;\nimport java.util.Hashtable;\n\nabstract class ConversionMaps {\n // To prevent rehashing of a Hashtable as it's being built, we construct it with a certain number\n // of entries. However, the default load factor for a table is .75, meaning that when it becomes\n // 3/4 full, the table is automatically increased in size and rehashed. We could specify a load\n // factor of 1.0 on the constructor, since that would efficiently utilize memory and prevent\n // rehashing, but we might get ineffective hashing since the algorithm might not be good, so\n // instead, we leave the load factor at the default .75 and just use a size of hash table big\n // enough to accommodate the number of entries we have without rehashing. This is a pretty good\n // tradeoff between lookup time and memory footprint.\n\n // If we ever pre-req Java 2, we should use HashMaps for these instead of Hashtables. Hashtables\n // are synchronized which makes the table lookup slow, especially if multiple threads bottleneck\n // on these static tables. HashMaps are not synchronized yet provide the same function.\n static final Hashtable ccsidEncoding_ = new Hashtable(175); // 127 actual entries.\n static final Hashtable encodingCcsid_ = new Hashtable(175); // 127 actual entries.\n static final Hashtable localeCcsidMap_ = new Hashtable(120); // 87 actual entries.\n static final Hashtable localeNlvMap_ = new Hashtable(100); // 74 actual entries.\n\n // Convenience function to get corresponding ccsid number as String.\n static final String encodingToCcsidString(String encoding) {\n return (String) encodingCcsid_.get(encoding);\n }\n\n // Convenience function to get corresponding encoding from ccsid.\n static final String ccsidToEncoding(int ccsid) {\n return (String) ccsidEncoding_.get(String.valueOf(ccsid));\n }\n\n // This is a table that maps all Java encodings to IBM i CCSIDs. Some encodings could map to more\n // than one CCSID, so they are not included in the table. When a lookup is performed, it will\n // then return null. Some encodings are supported by the IBM i but not by the Toolbox. The\n // ConvTable code handles this.\n // Based on http://java.sun.com/products/jdk/1.2/docs/guide/internat/encoding.doc.html\n // V5R1 JVM encodings:\n // http://publib.boulder.ibm.com/pubs/html/as400/v5r1/ic2924/info/rzaha/fileenc.htm\n // V5R1 JVM locales:\n // http://publib.boulder.ibm.com/pubs/html/as400/v5r1/ic2924/info/rzaha/locales.htm\n\n // See also http://java.sun.com/j2se/1.4/docs/guide/intl/encoding.doc.html and\n // http://java.sun.com/j2se/1.4/docs/guide/intl/locale.doc.html\n\n static {\n // 137+ possible Java encodings. 13 have unknown CCSIDs.\n // We have 128 known in this table.\n encodingCcsid_.put(\"ASCII\", \"367\"); // ANSI X.34 ASCI.\n encodingCcsid_.put(\"Cp1252\", \"1252\");\n encodingCcsid_.put(\"ISO8859_1\", \"819\");\n encodingCcsid_.put(\"Unicode\", \"13488\");\n encodingCcsid_.put(\"UnicodeBig\", \"13488\"); // BOM is 0xFEFF.\n // encodingCcsid_.put(\"UnicodeBigUnmarked\", 13488);\n encodingCcsid_.put(\"UnicodeLittle\", \"1202\"); // BOM is 0xFFFE.\n // encodingCcsid_.put(\"UnicodeLittleUnmarked\", 13488);\n encodingCcsid_.put(\"UTF8\", \"1208\");\n encodingCcsid_.put(\"UTF-8\", \"1208\");\n encodingCcsid_.put(\"UTF-16BE\", \"1200\");\n\n encodingCcsid_.put(\"Big5\", \"950\");\n // encodingCcsid_.put(\"Big5 HKSCS\", ???); // Big5 with Hong Kong extensions.\n encodingCcsid_.put(\"CNS11643\", \"964\");\n encodingCcsid_.put(\"Cp037\", \"37\");\n encodingCcsid_.put(\"Cp273\", \"273\");\n encodingCcsid_.put(\"Cp277\", \"277\");\n encodingCcsid_.put(\"Cp278\", \"278\");\n encodingCcsid_.put(\"Cp280\", \"280\");\n encodingCcsid_.put(\"Cp284\", \"284\");\n encodingCcsid_.put(\"Cp285\", \"285\");\n encodingCcsid_.put(\"Cp297\", \"297\");\n encodingCcsid_.put(\"Cp420\", \"420\");\n encodingCcsid_.put(\"Cp424\", \"424\");\n encodingCcsid_.put(\"Cp437\", \"437\");\n encodingCcsid_.put(\"Cp500\", \"500\");\n encodingCcsid_.put(\"Cp737\", \"737\");\n encodingCcsid_.put(\"Cp775\", \"775\");\n encodingCcsid_.put(\"Cp838\", \"838\");\n encodingCcsid_.put(\"Cp850\", \"850\");\n encodingCcsid_.put(\"Cp852\", \"852\");\n encodingCcsid_.put(\"Cp855\", \"855\");\n encodingCcsid_.put(\"Cp856\", \"856\");\n encodingCcsid_.put(\"Cp857\", \"857\");\n encodingCcsid_.put(\"Cp858\", \"858\");\n encodingCcsid_.put(\"Cp860\", \"860\");\n encodingCcsid_.put(\"Cp861\", \"861\");\n encodingCcsid_.put(\"Cp862\", \"862\");\n encodingCcsid_.put(\"Cp863\", \"863\");\n encodingCcsid_.put(\"Cp864\", \"864\");\n encodingCcsid_.put(\"Cp865\", \"865\");\n encodingCcsid_.put(\"Cp866\", \"866\");\n encodingCcsid_.put(\"Cp868\", \"868\");\n encodingCcsid_.put(\"Cp869\", \"869\");\n encodingCcsid_.put(\"Cp870\", \"870\");\n encodingCcsid_.put(\"Cp871\", \"871\");\n encodingCcsid_.put(\"Cp874\", \"874\");\n encodingCcsid_.put(\"Cp875\", \"875\");\n encodingCcsid_.put(\"Cp918\", \"918\");\n encodingCcsid_.put(\"Cp921\", \"921\");\n encodingCcsid_.put(\"Cp922\", \"922\");\n encodingCcsid_.put(\"Cp923\", \"923\"); // IBM Latin-9.\n encodingCcsid_.put(\"Cp930\", \"930\");\n encodingCcsid_.put(\"Cp933\", \"933\");\n encodingCcsid_.put(\"Cp935\", \"935\");\n encodingCcsid_.put(\"Cp937\", \"937\");\n encodingCcsid_.put(\"Cp939\", \"939\");\n encodingCcsid_.put(\"Cp942\", \"942\");\n // encodingCcsid_.put(\"Cp942C\", ???); // Don't know the CCSID - unclear what the 'C' means.\n encodingCcsid_.put(\"Cp943\", \"943\");\n // encodingCcsid_.put(\"Cp943C\", ???); // Don't know the CCSID - unclear what the 'C' means.\n encodingCcsid_.put(\"Cp948\", \"948\");\n encodingCcsid_.put(\"Cp949\", \"949\");\n // encodingCcsid_.put(\"Cp949C\", ???); // Don't know the CCSID - unclear what the 'C' means.\n encodingCcsid_.put(\"Cp950\", \"950\");\n encodingCcsid_.put(\"Cp964\", \"964\");\n encodingCcsid_.put(\"Cp970\", \"970\");\n encodingCcsid_.put(\"Cp1006\", \"1006\");\n encodingCcsid_.put(\"Cp1025\", \"1025\");\n encodingCcsid_.put(\"Cp1026\", \"1026\");\n encodingCcsid_.put(\"Cp1046\", \"1046\");\n encodingCcsid_.put(\"Cp1097\", \"1097\");\n encodingCcsid_.put(\"Cp1098\", \"1098\");\n encodingCcsid_.put(\"Cp1112\", \"1112\");\n encodingCcsid_.put(\"Cp1122\", \"1122\");\n encodingCcsid_.put(\"Cp1123\", \"1123\");\n encodingCcsid_.put(\"Cp1124\", \"1124\");\n encodingCcsid_.put(\"Cp1140\", \"1140\");\n encodingCcsid_.put(\"Cp1141\", \"1141\");\n encodingCcsid_.put(\"Cp1142\", \"1142\");\n encodingCcsid_.put(\"Cp1143\", \"1143\");\n encodingCcsid_.put(\"Cp1144\", \"1144\");\n encodingCcsid_.put(\"Cp1145\", \"1145\");\n encodingCcsid_.put(\"Cp1146\", \"1146\");\n encodingCcsid_.put(\"Cp1147\", \"1147\");\n encodingCcsid_.put(\"Cp1148\", \"1148\");\n encodingCcsid_.put(\"Cp1149\", \"1149\");\n encodingCcsid_.put(\"Cp1250\", \"1250\");\n encodingCcsid_.put(\"Cp1251\", \"1251\");\n encodingCcsid_.put(\"Cp1253\", \"1253\");\n encodingCcsid_.put(\"Cp1254\", \"1254\");\n encodingCcsid_.put(\"Cp1255\", \"1255\");\n encodingCcsid_.put(\"Cp1256\", \"1256\");\n encodingCcsid_.put(\"Cp1257\", \"1257\");\n encodingCcsid_.put(\"Cp1258\", \"1258\");\n encodingCcsid_.put(\"Cp1381\", \"1381\");\n encodingCcsid_.put(\"Cp1383\", \"1383\");\n encodingCcsid_.put(\"Cp33722\", \"33722\");\n\n // The Toolbox does not directly support EUC at this time, Java will do the conversion.\n encodingCcsid_.put(\"EUC_CN\", \"1383\"); // Superset of 5479.\n encodingCcsid_.put(\"EUC_JP\", \"33722\");\n encodingCcsid_.put(\"EUC_KR\", \"970\"); // Superset of 5066.\n encodingCcsid_.put(\"EUC_TW\", \"964\"); // Superset of 5060.\n\n encodingCcsid_.put(\"GB2312\", \"1381\");\n encodingCcsid_.put(\n \"GB18030\",\n \"1392\"); // 1392 is mixed 4-byte; the individual component CCSIDs are not supported.\n encodingCcsid_.put(\"GBK\", \"1386\");\n\n // encodingCcsid_.put(\"ISCII91\", ???); // Indic scripts.\n\n // The Toolbox does not directly support ISO2022.\n // encodingCcsid_.put(\"ISO2022CN\", ???); // Not sure of the CCSID, possibly 9575?\n // encodingCcsid_.put(\"ISO2022CN_CNS\", \"965\"); // Java doesn't support this one?\n // encodingCcsid_.put(\"ISO2022CN_GB\", \"9575\"); // Java doesn't support this one?\n\n encodingCcsid_.put(\"ISO2022JP\", \"5054\"); // Could be 956 also, but the IBM i JVM uses 5054.\n encodingCcsid_.put(\"ISO2022KR\", \"25546\"); // Could be 17354 also, but the IBM i JVM uses 25546.\n\n encodingCcsid_.put(\"ISO8859_2\", \"912\");\n encodingCcsid_.put(\"ISO8859_3\", \"913\");\n encodingCcsid_.put(\"ISO8859_4\", \"914\");\n encodingCcsid_.put(\"ISO8859_5\", \"915\");\n encodingCcsid_.put(\"ISO8859_6\", \"1089\");\n encodingCcsid_.put(\"ISO8859_7\", \"813\");\n encodingCcsid_.put(\"ISO8859_8\", \"916\");\n encodingCcsid_.put(\"ISO8859_9\", \"920\");\n // encodingCcsid_.put(\"ISO8859_13\", ???); // Latin alphabet No. 7.\n // encodingCcsid_.put(\"ISO8859_15_FDIS\", ???); // Don't know the CCSID; FYI, this codepage is\n // ISO 28605.\n\n // The Toolbox does not directly support JIS.\n encodingCcsid_.put(\"JIS0201\", \"897\"); // Could be 895, but the IBM i JVM uses 897.\n encodingCcsid_.put(\"JIS0208\", \"952\");\n encodingCcsid_.put(\"JIS0212\", \"953\");\n // encodingCcsid_.put(\"JISAutoDetect\", ???); // Can't do this one. Would need to look at the\n // bytes to determine the CCSID.\n\n encodingCcsid_.put(\"Johab\", \"1363\");\n encodingCcsid_.put(\"KOI8_R\", \"878\");\n encodingCcsid_.put(\"KSC5601\", \"949\");\n\n encodingCcsid_.put(\"MS874\", \"874\");\n encodingCcsid_.put(\"MS932\", \"943\");\n encodingCcsid_.put(\"MS936\", \"1386\");\n encodingCcsid_.put(\"MS949\", \"949\");\n encodingCcsid_.put(\"MS950\", \"950\");\n\n // encodingCcsid_.put(\"MacArabic\", ???); // Don't know.\n encodingCcsid_.put(\"MacCentralEurope\", \"1282\");\n encodingCcsid_.put(\"MacCroatian\", \"1284\");\n encodingCcsid_.put(\"MacCyrillic\", \"1283\");\n // encodingCcsid_.put(\"MacDingbat\", ???); // Don't know.\n encodingCcsid_.put(\"MacGreek\", \"1280\");\n // encodingCcsid_.put(\"MacHebrew\", ???); // Don't know.\n encodingCcsid_.put(\"MacIceland\", \"1286\");\n encodingCcsid_.put(\"MacRoman\", \"1275\");\n encodingCcsid_.put(\"MacRomania\", \"1285\");\n // encodingCcsid_.put(\"MacSymbol\", ???); // Don't know.\n // encodingCcsid_.put(\"MacThai\", ???); // Don't know.\n encodingCcsid_.put(\"MacTurkish\", \"1281\");\n // encodingCcsid_.put(\"MacUkraine\", ???); // Don't know.\n\n encodingCcsid_.put(\"SJIS\", \"932\"); // Could be 943, but the IBM i JVM uses 932.\n encodingCcsid_.put(\"TIS620\", \"874\"); // IBM i JVM uses 874.\n }\n\n // With the encodingCcsid map, we try to assign a CCSID to every Java encoding. With the\n // ccsidEncoding map, the reverse happens...\n // We try to assign an encoding to each CCSID. This is not always possible, so some CCSIDs may\n // have a null encoding. Also, some CCSIDs may have multiple Java encodings, in this case the\n // first one wins.\n static {\n // Build the CCSID to encoding map.\n for (Enumeration keys = encodingCcsid_.keys(); keys.hasMoreElements(); ) {\n Object key = keys.nextElement();\n ccsidEncoding_.put(encodingCcsid_.get(key), key);\n }\n\n ccsidEncoding_.put(\"17584\", \"UTF-16BE\"); // IBM i doesn't support this, but other people use it.\n\n // Any other ccsids that are used for which we know no encoding will have their encoding set to\n // equal their ccsid.\n\n // Any encodings that are used for which we know no ccsid will have their ccsid set to 0.\n }\n\n // localeNlvMap.\n static {\n // 74 entries.\n localeNlvMap_.put(\"ar\", \"2954\");\n localeNlvMap_.put(\"ar_SA\", \"2954\");\n localeNlvMap_.put(\"be\", \"2979\");\n localeNlvMap_.put(\"bg\", \"2974\");\n localeNlvMap_.put(\"ca\", \"2931\");\n localeNlvMap_.put(\"cs\", \"2975\");\n localeNlvMap_.put(\"da\", \"2926\");\n localeNlvMap_.put(\"de\", \"2929\");\n localeNlvMap_.put(\"de_CH\", \"2939\");\n localeNlvMap_.put(\"de_DE\", \"2929\");\n localeNlvMap_.put(\"el\", \"2957\");\n localeNlvMap_.put(\"en\", \"2924\");\n localeNlvMap_.put(\"en_BE\", \"2909\");\n localeNlvMap_.put(\"en_CN\", \"2984\");\n localeNlvMap_.put(\"en_JP\", \"2938\");\n localeNlvMap_.put(\"en_KR\", \"2984\");\n localeNlvMap_.put(\"en_SG\", \"2984\");\n localeNlvMap_.put(\"en_TW\", \"2984\");\n localeNlvMap_.put(\"es\", \"2931\");\n localeNlvMap_.put(\"es_ES\", \"2931\");\n localeNlvMap_.put(\"et\", \"2902\");\n localeNlvMap_.put(\"fa\", \"2998\");\n localeNlvMap_.put(\"fi\", \"2925\");\n localeNlvMap_.put(\"fr\", \"2928\");\n localeNlvMap_.put(\"fr_BE\", \"2966\");\n localeNlvMap_.put(\"fr_CA\", \"2981\");\n localeNlvMap_.put(\"fr_CH\", \"2940\");\n localeNlvMap_.put(\"fr_FR\", \"2928\");\n localeNlvMap_.put(\"hr\", \"2912\");\n localeNlvMap_.put(\"hu\", \"2976\");\n localeNlvMap_.put(\"is\", \"2958\");\n localeNlvMap_.put(\"it\", \"2932\");\n localeNlvMap_.put(\"it_CH\", \"2942\");\n localeNlvMap_.put(\"iw\", \"2961\");\n localeNlvMap_.put(\"ja\", \"2962\");\n localeNlvMap_.put(\"ji\", \"2961\");\n localeNlvMap_.put(\"ka\", \"2979\");\n localeNlvMap_.put(\"kk\", \"2979\");\n localeNlvMap_.put(\"ko\", \"2986\");\n localeNlvMap_.put(\"ko_KR\", \"2986\");\n localeNlvMap_.put(\"lo\", \"2906\");\n localeNlvMap_.put(\"lt\", \"2903\");\n localeNlvMap_.put(\"lv\", \"2904\");\n localeNlvMap_.put(\"mk\", \"2913\");\n localeNlvMap_.put(\"nl\", \"2923\");\n localeNlvMap_.put(\"nl_BE\", \"2963\");\n localeNlvMap_.put(\"nl_NL\", \"2923\");\n localeNlvMap_.put(\"no\", \"2933\");\n localeNlvMap_.put(\"pl\", \"2978\");\n localeNlvMap_.put(\"pt\", \"2996\");\n localeNlvMap_.put(\"pt_BR\", \"2980\");\n localeNlvMap_.put(\"pt_PT\", \"2922\");\n localeNlvMap_.put(\"ro\", \"2992\");\n localeNlvMap_.put(\"ru\", \"2979\");\n localeNlvMap_.put(\"sh\", \"2912\");\n localeNlvMap_.put(\"sk\", \"2994\");\n localeNlvMap_.put(\"sl\", \"2911\");\n localeNlvMap_.put(\"sq\", \"2995\");\n localeNlvMap_.put(\"sr\", \"2914\");\n localeNlvMap_.put(\"sv\", \"2937\");\n localeNlvMap_.put(\"sv_SE\", \"2937\");\n localeNlvMap_.put(\"th\", \"2972\");\n localeNlvMap_.put(\"th_TH\", \"2972\");\n localeNlvMap_.put(\"tr\", \"2956\");\n localeNlvMap_.put(\"uk\", \"2979\");\n localeNlvMap_.put(\"uz\", \"2979\");\n localeNlvMap_.put(\"vi\", \"2905\");\n localeNlvMap_.put(\"zh\", \"2989\");\n localeNlvMap_.put(\"zh_CN\", \"2989\");\n localeNlvMap_.put(\"zh_HK\", \"2987\");\n localeNlvMap_.put(\"zh_SG\", \"2989\");\n localeNlvMap_.put(\"zh_TW\", \"2987\");\n localeNlvMap_.put(\"cht\", \"2987\"); // Chinese/Taiwan\n localeNlvMap_.put(\"cht_CN\", \"2987\"); // Chinese/Taiwan\n }\n\n // localeCcsidMap.\n // Make sure that we have a hardcoded ConvTable for each of the ccsids in this map.\n static {\n // 87 entries.\n localeCcsidMap_.put(\"ar\", \"420\");\n localeCcsidMap_.put(\"ar_SA\", \"420\");\n localeCcsidMap_.put(\"be\", \"1025\");\n localeCcsidMap_.put(\"bg\", \"1025\");\n localeCcsidMap_.put(\"ca\", \"284\");\n localeCcsidMap_.put(\"cs\", \"870\");\n localeCcsidMap_.put(\"da\", \"277\");\n localeCcsidMap_.put(\"de\", \"273\");\n localeCcsidMap_.put(\"de_CH\", \"500\");\n localeCcsidMap_.put(\"de_DE\", \"273\");\n localeCcsidMap_.put(\"de_AT_EURO\", \"1141\");\n localeCcsidMap_.put(\"de_DE_EURO\", \"1141\");\n localeCcsidMap_.put(\"de_LU_EURO\", \"1141\");\n localeCcsidMap_.put(\"el\", \"875\");\n localeCcsidMap_.put(\"el_GR_EURO\", \"4971\");\n localeCcsidMap_.put(\"en\", \"37\");\n localeCcsidMap_.put(\"en_BE\", \"500\");\n localeCcsidMap_.put(\"en_CN\", \"1388\"); // Was 935.\n localeCcsidMap_.put(\"en_IE_EURO\", \"1140\");\n localeCcsidMap_.put(\"en_JP\", \"1399\"); // Was 930 Was 5026.\n localeCcsidMap_.put(\"en_KR\", \"1364\"); // Was 933.\n localeCcsidMap_.put(\"en_SG\", \"1388\"); // Was 935.\n localeCcsidMap_.put(\"en_TW\", \"937\");\n localeCcsidMap_.put(\"es\", \"284\");\n localeCcsidMap_.put(\"es_ES\", \"284\");\n localeCcsidMap_.put(\"es_ES_EURO\", \"1145\");\n localeCcsidMap_.put(\"et\", \"1122\");\n localeCcsidMap_.put(\"fi\", \"278\");\n localeCcsidMap_.put(\"fi_FI_EURO\", \"1143\");\n localeCcsidMap_.put(\"fr\", \"297\");\n localeCcsidMap_.put(\"fr_BE\", \"500\");\n localeCcsidMap_.put(\"fr_BE_EURO\", \"1148\");\n localeCcsidMap_.put(\"fr_CA\", \"37\");\n localeCcsidMap_.put(\"fr_CH\", \"500\");\n localeCcsidMap_.put(\"fr_FR\", \"297\");\n localeCcsidMap_.put(\"fr_FR_EURO\", \"1147\");\n localeCcsidMap_.put(\"fr_LU_EURO\", \"1147\");\n localeCcsidMap_.put(\"hr\", \"870\");\n localeCcsidMap_.put(\"hu\", \"870\");\n localeCcsidMap_.put(\"is\", \"871\");\n localeCcsidMap_.put(\"it\", \"280\");\n localeCcsidMap_.put(\"it_CH\", \"500\");\n localeCcsidMap_.put(\"it_IT_EURO\", \"1144\");\n localeCcsidMap_.put(\"iw\", \"424\");\n localeCcsidMap_.put(\"ja\", \"1399\"); // Was 930 Was 5026.\n localeCcsidMap_.put(\"ji\", \"424\");\n localeCcsidMap_.put(\"ka\", \"1025\");\n localeCcsidMap_.put(\"kk\", \"1025\");\n localeCcsidMap_.put(\"ko\", \"1364\"); // Was 933.\n localeCcsidMap_.put(\"ko_KR\", \"1364\");\n localeCcsidMap_.put(\"lo\", \"1132\"); // Was 1133.\n localeCcsidMap_.put(\"lt\", \"1112\");\n localeCcsidMap_.put(\"lv\", \"1112\");\n localeCcsidMap_.put(\"mk\", \"1025\");\n localeCcsidMap_.put(\"nl\", \"37\");\n localeCcsidMap_.put(\"nl_BE\", \"500\");\n localeCcsidMap_.put(\"nl_NL\", \"37\");\n localeCcsidMap_.put(\"nl_BE_EURO\", \"1148\");\n localeCcsidMap_.put(\"nl_NL_EURO\", \"1140\");\n localeCcsidMap_.put(\"no\", \"277\");\n localeCcsidMap_.put(\"pl\", \"870\");\n localeCcsidMap_.put(\"pt\", \"500\");\n localeCcsidMap_.put(\"pt_BR\", \"37\");\n localeCcsidMap_.put(\"pt_PT\", \"37\");\n localeCcsidMap_.put(\"pt_PT_EURO\", \"1140\");\n localeCcsidMap_.put(\"ro\", \"870\");\n localeCcsidMap_.put(\"ru\", \"1025\");\n localeCcsidMap_.put(\"sh\", \"870\");\n localeCcsidMap_.put(\"sk\", \"870\");\n localeCcsidMap_.put(\"sl\", \"870\");\n localeCcsidMap_.put(\"sq\", \"500\");\n localeCcsidMap_.put(\"sr\", \"1025\");\n localeCcsidMap_.put(\"sv\", \"278\");\n localeCcsidMap_.put(\"sv_SE\", \"278\");\n localeCcsidMap_.put(\"th\", \"838\");\n localeCcsidMap_.put(\"th_TH\", \"838\");\n localeCcsidMap_.put(\"tr\", \"1026\");\n localeCcsidMap_.put(\"uk\", \"1123\"); // Was 1025.\n localeCcsidMap_.put(\"uz\", \"1025\");\n localeCcsidMap_.put(\"vi\", \"1130\");\n localeCcsidMap_.put(\"zh\", \"1388\"); // Was 935.\n localeCcsidMap_.put(\"zh_CN\", \"1388\");\n localeCcsidMap_.put(\"zh_HK\", \"937\");\n localeCcsidMap_.put(\"zh_SG\", \"1388\"); // Was 935.\n localeCcsidMap_.put(\"zh_TW\", \"937\");\n localeCcsidMap_.put(\"cht\", \"937\"); // Chinese/Taiwan\n localeCcsidMap_.put(\"cht_CN\", \"937\"); // Chinese/Taiwan\n }\n}\n", "jasm_code": ".version 52 0 \n.class super abstract ConversionMaps \n.super java/lang/Object \n.field static final ccsidEncoding_ Ljava/util/Hashtable; \n.field static final encodingCcsid_ Ljava/util/Hashtable; \n.field static final localeCcsidMap_ Ljava/util/Hashtable; \n.field static final localeNlvMap_ Ljava/util/Hashtable; \n\n.method : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method static final encodingToCcsidString : (Ljava/lang/String;)Ljava/lang/String; \n .code stack 2 locals 1 \nL0: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL3: aload_0 \nL4: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL7: checkcast java/lang/String \nL10: areturn \nL11: \n .linenumbertable \n L0 32 \n .end linenumbertable \n .end code \n.end method \n\n.method static final ccsidToEncoding : (I)Ljava/lang/String; \n .code stack 2 locals 1 \nL0: getstatic Field ConversionMaps ccsidEncoding_ Ljava/util/Hashtable; \nL3: iload_0 \nL4: invokestatic Method java/lang/String valueOf (I)Ljava/lang/String; \nL7: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL10: checkcast java/lang/String \nL13: areturn \nL14: \n .linenumbertable \n L0 38 \n .end linenumbertable \n .end code \n.end method \n\n.method static : ()V \n .code stack 3 locals 2 \nL0: new java/util/Hashtable \nL3: dup \nL4: sipush 175 \nL7: invokespecial Method java/util/Hashtable (I)V \nL10: putstatic Field ConversionMaps ccsidEncoding_ Ljava/util/Hashtable; \nL13: new java/util/Hashtable \nL16: dup \nL17: sipush 175 \nL20: invokespecial Method java/util/Hashtable (I)V \nL23: putstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL26: new java/util/Hashtable \nL29: dup \nL30: bipush 120 \nL32: invokespecial Method java/util/Hashtable (I)V \nL35: putstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL38: new java/util/Hashtable \nL41: dup \nL42: bipush 100 \nL44: invokespecial Method java/util/Hashtable (I)V \nL47: putstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL50: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL53: ldc 'ASCII' \nL55: ldc '367' \nL57: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL60: pop \nL61: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL64: ldc 'Cp1252' \nL66: ldc '1252' \nL68: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL71: pop \nL72: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL75: ldc 'ISO8859_1' \nL77: ldc '819' \nL79: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL82: pop \nL83: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL86: ldc 'Unicode' \nL88: ldc '13488' \nL90: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL93: pop \nL94: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL97: ldc 'UnicodeBig' \nL99: ldc '13488' \nL101: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL104: pop \nL105: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL108: ldc 'UnicodeLittle' \nL110: ldc '1202' \nL112: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL115: pop \nL116: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL119: ldc 'UTF8' \nL121: ldc '1208' \nL123: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL126: pop \nL127: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL130: ldc 'UTF-8' \nL132: ldc '1208' \nL134: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL137: pop \nL138: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL141: ldc 'UTF-16BE' \nL143: ldc '1200' \nL145: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL148: pop \nL149: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL152: ldc 'Big5' \nL154: ldc '950' \nL156: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \nL159: pop \nL160: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL163: ldc 'CNS11643' \nL165: ldc '964' \nL167: invokevirtual Method java/util/Hashtable put [u836] \nL170: pop \nL171: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL174: ldc 'Cp037' \nL176: ldc '37' \nL178: invokevirtual Method java/util/Hashtable put [u836] \nL181: pop \nL182: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL185: ldc 'Cp273' \nL187: ldc '273' \nL189: invokevirtual Method java/util/Hashtable put [u836] \nL192: pop \nL193: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL196: ldc 'Cp277' \nL198: ldc '277' \nL200: invokevirtual Method java/util/Hashtable put [u836] \nL203: pop \nL204: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL207: ldc 'Cp278' \nL209: ldc '278' \nL211: invokevirtual Method java/util/Hashtable put [u836] \nL214: pop \nL215: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL218: ldc 'Cp280' \nL220: ldc '280' \nL222: invokevirtual Method java/util/Hashtable put [u836] \nL225: pop \nL226: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL229: ldc 'Cp284' \nL231: ldc '284' \nL233: invokevirtual Method java/util/Hashtable put [u836] \nL236: pop \nL237: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL240: ldc 'Cp285' \nL242: ldc '285' \nL244: invokevirtual Method java/util/Hashtable put [u836] \nL247: pop \nL248: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL251: ldc 'Cp297' \nL253: ldc '297' \nL255: invokevirtual Method java/util/Hashtable put [u836] \nL258: pop \nL259: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL262: ldc 'Cp420' \nL264: ldc '420' \nL266: invokevirtual Method java/util/Hashtable put [u836] \nL269: pop \nL270: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL273: ldc 'Cp424' \nL275: ldc '424' \nL277: invokevirtual Method java/util/Hashtable put [u836] \nL280: pop \nL281: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL284: ldc 'Cp437' \nL286: ldc '437' \nL288: invokevirtual Method java/util/Hashtable put [u836] \nL291: pop \nL292: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL295: ldc 'Cp500' \nL297: ldc '500' \nL299: invokevirtual Method java/util/Hashtable put [u836] \nL302: pop \nL303: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL306: ldc 'Cp737' \nL308: ldc '737' \nL310: invokevirtual Method java/util/Hashtable put [u836] \nL313: pop \nL314: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL317: ldc 'Cp775' \nL319: ldc '775' \nL321: invokevirtual Method java/util/Hashtable put [u836] \nL324: pop \nL325: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL328: ldc 'Cp838' \nL330: ldc '838' \nL332: invokevirtual Method java/util/Hashtable put [u836] \nL335: pop \nL336: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL339: ldc 'Cp850' \nL341: ldc '850' \nL343: invokevirtual Method java/util/Hashtable put [u836] \nL346: pop \nL347: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL350: ldc 'Cp852' \nL352: ldc '852' \nL354: invokevirtual Method java/util/Hashtable put [u836] \nL357: pop \nL358: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL361: ldc 'Cp855' \nL363: ldc '855' \nL365: invokevirtual Method java/util/Hashtable put [u836] \nL368: pop \nL369: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL372: ldc 'Cp856' \nL374: ldc '856' \nL376: invokevirtual Method java/util/Hashtable put [u836] \nL379: pop \nL380: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL383: ldc 'Cp857' \nL385: ldc '857' \nL387: invokevirtual Method java/util/Hashtable put [u836] \nL390: pop \nL391: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL394: ldc 'Cp858' \nL396: ldc '858' \nL398: invokevirtual Method java/util/Hashtable put [u836] \nL401: pop \nL402: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL405: ldc 'Cp860' \nL407: ldc '860' \nL409: invokevirtual Method java/util/Hashtable put [u836] \nL412: pop \nL413: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL416: ldc 'Cp861' \nL418: ldc '861' \nL420: invokevirtual Method java/util/Hashtable put [u836] \nL423: pop \nL424: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL427: ldc 'Cp862' \nL429: ldc '862' \nL431: invokevirtual Method java/util/Hashtable put [u836] \nL434: pop \nL435: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL438: ldc 'Cp863' \nL440: ldc '863' \nL442: invokevirtual Method java/util/Hashtable put [u836] \nL445: pop \nL446: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL449: ldc 'Cp864' \nL451: ldc '864' \nL453: invokevirtual Method java/util/Hashtable put [u836] \nL456: pop \nL457: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL460: ldc 'Cp865' \nL462: ldc '865' \nL464: invokevirtual Method java/util/Hashtable put [u836] \nL467: pop \nL468: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL471: ldc 'Cp866' \nL473: ldc '866' \nL475: invokevirtual Method java/util/Hashtable put [u836] \nL478: pop \nL479: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL482: ldc 'Cp868' \nL484: ldc '868' \nL486: invokevirtual Method java/util/Hashtable put [u836] \nL489: pop \nL490: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL493: ldc 'Cp869' \nL495: ldc '869' \nL497: invokevirtual Method java/util/Hashtable put [u836] \nL500: pop \nL501: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL504: ldc 'Cp870' \nL506: ldc '870' \nL508: invokevirtual Method java/util/Hashtable put [u836] \nL511: pop \nL512: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL515: ldc 'Cp871' \nL517: ldc '871' \nL519: invokevirtual Method java/util/Hashtable put [u836] \nL522: pop \nL523: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL526: ldc 'Cp874' \nL528: ldc '874' \nL530: invokevirtual Method java/util/Hashtable put [u836] \nL533: pop \nL534: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL537: ldc 'Cp875' \nL539: ldc '875' \nL541: invokevirtual Method java/util/Hashtable put [u836] \nL544: pop \nL545: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL548: ldc 'Cp918' \nL550: ldc '918' \nL552: invokevirtual Method java/util/Hashtable put [u836] \nL555: pop \nL556: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL559: ldc 'Cp921' \nL561: ldc '921' \nL563: invokevirtual Method java/util/Hashtable put [u836] \nL566: pop \nL567: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL570: ldc 'Cp922' \nL572: ldc '922' \nL574: invokevirtual Method java/util/Hashtable put [u836] \nL577: pop \nL578: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL581: ldc 'Cp923' \nL583: ldc '923' \nL585: invokevirtual Method java/util/Hashtable put [u836] \nL588: pop \nL589: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL592: ldc 'Cp930' \nL594: ldc '930' \nL596: invokevirtual Method java/util/Hashtable put [u836] \nL599: pop \nL600: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL603: ldc 'Cp933' \nL605: ldc '933' \nL607: invokevirtual Method java/util/Hashtable put [u836] \nL610: pop \nL611: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL614: ldc 'Cp935' \nL616: ldc '935' \nL618: invokevirtual Method java/util/Hashtable put [u836] \nL621: pop \nL622: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL625: ldc 'Cp937' \nL627: ldc '937' \nL629: invokevirtual Method java/util/Hashtable put [u836] \nL632: pop \nL633: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL636: ldc 'Cp939' \nL638: ldc '939' \nL640: invokevirtual Method java/util/Hashtable put [u836] \nL643: pop \nL644: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL647: ldc 'Cp942' \nL649: ldc '942' \nL651: invokevirtual Method java/util/Hashtable put [u836] \nL654: pop \nL655: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL658: ldc 'Cp943' \nL660: ldc '943' \nL662: invokevirtual Method java/util/Hashtable put [u836] \nL665: pop \nL666: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL669: ldc 'Cp948' \nL671: ldc '948' \nL673: invokevirtual Method java/util/Hashtable put [u836] \nL676: pop \nL677: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL680: ldc 'Cp949' \nL682: ldc '949' \nL684: invokevirtual Method java/util/Hashtable put [u836] \nL687: pop \nL688: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL691: ldc 'Cp950' \nL693: ldc '950' \nL695: invokevirtual Method java/util/Hashtable put [u836] \nL698: pop \nL699: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL702: ldc 'Cp964' \nL704: ldc '964' \nL706: invokevirtual Method java/util/Hashtable put [u836] \nL709: pop \nL710: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL713: ldc 'Cp970' \nL715: ldc '970' \nL717: invokevirtual Method java/util/Hashtable put [u836] \nL720: pop \nL721: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL724: ldc 'Cp1006' \nL726: ldc '1006' \nL728: invokevirtual Method java/util/Hashtable put [u836] \nL731: pop \nL732: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL735: ldc 'Cp1025' \nL737: ldc '1025' \nL739: invokevirtual Method java/util/Hashtable put [u836] \nL742: pop \nL743: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL746: ldc 'Cp1026' \nL748: ldc '1026' \nL750: invokevirtual Method java/util/Hashtable put [u836] \nL753: pop \nL754: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL757: ldc 'Cp1046' \nL759: ldc '1046' \nL761: invokevirtual Method java/util/Hashtable put [u836] \nL764: pop \nL765: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL768: ldc 'Cp1097' \nL770: ldc '1097' \nL772: invokevirtual Method java/util/Hashtable put [u836] \nL775: pop \nL776: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL779: ldc 'Cp1098' \nL781: ldc '1098' \nL783: invokevirtual Method java/util/Hashtable put [u836] \nL786: pop \nL787: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL790: ldc 'Cp1112' \nL792: ldc '1112' \nL794: invokevirtual Method java/util/Hashtable put [u836] \nL797: pop \nL798: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL801: ldc 'Cp1122' \nL803: ldc '1122' \nL805: invokevirtual Method java/util/Hashtable put [u836] \nL808: pop \nL809: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL812: ldc 'Cp1123' \nL814: ldc '1123' \nL816: invokevirtual Method java/util/Hashtable put [u836] \nL819: pop \nL820: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL823: ldc 'Cp1124' \nL825: ldc '1124' \nL827: invokevirtual Method java/util/Hashtable put [u836] \nL830: pop \nL831: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL834: ldc 'Cp1140' \nL836: ldc '1140' \nL838: invokevirtual Method java/util/Hashtable put [u836] \nL841: pop \nL842: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL845: ldc 'Cp1141' \nL847: ldc '1141' \nL849: invokevirtual Method java/util/Hashtable put [u836] \nL852: pop \nL853: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL856: ldc 'Cp1142' \nL858: ldc '1142' \nL860: invokevirtual Method java/util/Hashtable put [u836] \nL863: pop \nL864: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL867: ldc 'Cp1143' \nL869: ldc '1143' \nL871: invokevirtual Method java/util/Hashtable put [u836] \nL874: pop \nL875: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL878: ldc 'Cp1144' \nL880: ldc '1144' \nL882: invokevirtual Method java/util/Hashtable put [u836] \nL885: pop \nL886: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL889: ldc 'Cp1145' \nL891: ldc '1145' \nL893: invokevirtual Method java/util/Hashtable put [u836] \nL896: pop \nL897: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL900: ldc 'Cp1146' \nL902: ldc '1146' \nL904: invokevirtual Method java/util/Hashtable put [u836] \nL907: pop \nL908: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL911: ldc 'Cp1147' \nL913: ldc '1147' \nL915: invokevirtual Method java/util/Hashtable put [u836] \nL918: pop \nL919: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL922: ldc 'Cp1148' \nL924: ldc '1148' \nL926: invokevirtual Method java/util/Hashtable put [u836] \nL929: pop \nL930: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL933: ldc 'Cp1149' \nL935: ldc '1149' \nL937: invokevirtual Method java/util/Hashtable put [u836] \nL940: pop \nL941: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL944: ldc 'Cp1250' \nL946: ldc '1250' \nL948: invokevirtual Method java/util/Hashtable put [u836] \nL951: pop \nL952: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL955: ldc 'Cp1251' \nL957: ldc '1251' \nL959: invokevirtual Method java/util/Hashtable put [u836] \nL962: pop \nL963: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL966: ldc 'Cp1253' \nL968: ldc '1253' \nL970: invokevirtual Method java/util/Hashtable put [u836] \nL973: pop \nL974: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL977: ldc 'Cp1254' \nL979: ldc '1254' \nL981: invokevirtual Method java/util/Hashtable put [u836] \nL984: pop \nL985: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL988: ldc 'Cp1255' \nL990: ldc '1255' \nL992: invokevirtual Method java/util/Hashtable put [u836] \nL995: pop \nL996: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL999: ldc 'Cp1256' \nL1001: ldc '1256' \nL1003: invokevirtual Method java/util/Hashtable put [u836] \nL1006: pop \nL1007: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1010: ldc 'Cp1257' \nL1012: ldc '1257' \nL1014: invokevirtual Method java/util/Hashtable put [u836] \nL1017: pop \nL1018: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1021: ldc 'Cp1258' \nL1023: ldc '1258' \nL1025: invokevirtual Method java/util/Hashtable put [u836] \nL1028: pop \nL1029: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1032: ldc 'Cp1381' \nL1034: ldc '1381' \nL1036: invokevirtual Method java/util/Hashtable put [u836] \nL1039: pop \nL1040: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1043: ldc 'Cp1383' \nL1045: ldc '1383' \nL1047: invokevirtual Method java/util/Hashtable put [u836] \nL1050: pop \nL1051: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1054: ldc 'Cp33722' \nL1056: ldc '33722' \nL1058: invokevirtual Method java/util/Hashtable put [u836] \nL1061: pop \nL1062: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1065: ldc 'EUC_CN' \nL1067: ldc '1383' \nL1069: invokevirtual Method java/util/Hashtable put [u836] \nL1072: pop \nL1073: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1076: ldc 'EUC_JP' \nL1078: ldc '33722' \nL1080: invokevirtual Method java/util/Hashtable put [u836] \nL1083: pop \nL1084: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1087: ldc 'EUC_KR' \nL1089: ldc '970' \nL1091: invokevirtual Method java/util/Hashtable put [u836] \nL1094: pop \nL1095: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1098: ldc 'EUC_TW' \nL1100: ldc '964' \nL1102: invokevirtual Method java/util/Hashtable put [u836] \nL1105: pop \nL1106: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1109: ldc 'GB2312' \nL1111: ldc '1381' \nL1113: invokevirtual Method java/util/Hashtable put [u836] \nL1116: pop \nL1117: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1120: ldc 'GB18030' \nL1122: ldc '1392' \nL1124: invokevirtual Method java/util/Hashtable put [u836] \nL1127: pop \nL1128: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1131: ldc 'GBK' \nL1133: ldc '1386' \nL1135: invokevirtual Method java/util/Hashtable put [u836] \nL1138: pop \nL1139: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1142: ldc 'ISO2022JP' \nL1144: ldc '5054' \nL1146: invokevirtual Method java/util/Hashtable put [u836] \nL1149: pop \nL1150: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1153: ldc 'ISO2022KR' \nL1155: ldc '25546' \nL1157: invokevirtual Method java/util/Hashtable put [u836] \nL1160: pop \nL1161: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1164: ldc 'ISO8859_2' \nL1166: ldc '912' \nL1168: invokevirtual Method java/util/Hashtable put [u836] \nL1171: pop \nL1172: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1175: ldc 'ISO8859_3' \nL1177: ldc '913' \nL1179: invokevirtual Method java/util/Hashtable put [u836] \nL1182: pop \nL1183: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1186: ldc 'ISO8859_4' \nL1188: ldc '914' \nL1190: invokevirtual Method java/util/Hashtable put [u836] \nL1193: pop \nL1194: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1197: ldc 'ISO8859_5' \nL1199: ldc '915' \nL1201: invokevirtual Method java/util/Hashtable put [u836] \nL1204: pop \nL1205: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1208: ldc 'ISO8859_6' \nL1210: ldc '1089' \nL1212: invokevirtual Method java/util/Hashtable put [u836] \nL1215: pop \nL1216: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1219: ldc 'ISO8859_7' \nL1221: ldc '813' \nL1223: invokevirtual Method java/util/Hashtable put [u836] \nL1226: pop \nL1227: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1230: ldc 'ISO8859_8' \nL1232: ldc '916' \nL1234: invokevirtual Method java/util/Hashtable put [u836] \nL1237: pop \nL1238: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1241: ldc 'ISO8859_9' \nL1243: ldc '920' \nL1245: invokevirtual Method java/util/Hashtable put [u836] \nL1248: pop \nL1249: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1252: ldc 'JIS0201' \nL1254: ldc '897' \nL1256: invokevirtual Method java/util/Hashtable put [u836] \nL1259: pop \nL1260: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1263: ldc 'JIS0208' \nL1265: ldc '952' \nL1267: invokevirtual Method java/util/Hashtable put [u836] \nL1270: pop \nL1271: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1274: ldc 'JIS0212' \nL1276: ldc '953' \nL1278: invokevirtual Method java/util/Hashtable put [u836] \nL1281: pop \nL1282: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1285: ldc 'Johab' \nL1287: ldc '1363' \nL1289: invokevirtual Method java/util/Hashtable put [u836] \nL1292: pop \nL1293: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1296: ldc 'KOI8_R' \nL1298: ldc '878' \nL1300: invokevirtual Method java/util/Hashtable put [u836] \nL1303: pop \nL1304: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1307: ldc 'KSC5601' \nL1309: ldc '949' \nL1311: invokevirtual Method java/util/Hashtable put [u836] \nL1314: pop \nL1315: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1318: ldc 'MS874' \nL1320: ldc '874' \nL1322: invokevirtual Method java/util/Hashtable put [u836] \nL1325: pop \nL1326: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1329: ldc 'MS932' \nL1331: ldc '943' \nL1333: invokevirtual Method java/util/Hashtable put [u836] \nL1336: pop \nL1337: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1340: ldc 'MS936' \nL1342: ldc '1386' \nL1344: invokevirtual Method java/util/Hashtable put [u836] \nL1347: pop \nL1348: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1351: ldc 'MS949' \nL1353: ldc '949' \nL1355: invokevirtual Method java/util/Hashtable put [u836] \nL1358: pop \nL1359: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1362: ldc 'MS950' \nL1364: ldc '950' \nL1366: invokevirtual Method java/util/Hashtable put [u836] \nL1369: pop \nL1370: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1373: ldc 'MacCentralEurope' \nL1375: ldc '1282' \nL1377: invokevirtual Method java/util/Hashtable put [u836] \nL1380: pop \nL1381: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1384: ldc 'MacCroatian' \nL1386: ldc '1284' \nL1388: invokevirtual Method java/util/Hashtable put [u836] \nL1391: pop \nL1392: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1395: ldc 'MacCyrillic' \nL1397: ldc '1283' \nL1399: invokevirtual Method java/util/Hashtable put [u836] \nL1402: pop \nL1403: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1406: ldc 'MacGreek' \nL1408: ldc '1280' \nL1410: invokevirtual Method java/util/Hashtable put [u836] \nL1413: pop \nL1414: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1417: ldc 'MacIceland' \nL1419: ldc '1286' \nL1421: invokevirtual Method java/util/Hashtable put [u836] \nL1424: pop \nL1425: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1428: ldc 'MacRoman' \nL1430: ldc '1275' \nL1432: invokevirtual Method java/util/Hashtable put [u836] \nL1435: pop \nL1436: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1439: ldc 'MacRomania' \nL1441: ldc '1285' \nL1443: invokevirtual Method java/util/Hashtable put [u836] \nL1446: pop \nL1447: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1450: ldc 'MacTurkish' \nL1452: ldc '1281' \nL1454: invokevirtual Method java/util/Hashtable put [u836] \nL1457: pop \nL1458: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1461: ldc 'SJIS' \nL1463: ldc '932' \nL1465: invokevirtual Method java/util/Hashtable put [u836] \nL1468: pop \nL1469: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1472: ldc 'TIS620' \nL1474: ldc '874' \nL1476: invokevirtual Method java/util/Hashtable put [u836] \nL1479: pop \nL1480: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1483: invokevirtual Method java/util/Hashtable keys ()Ljava/util/Enumeration; \nL1486: astore_0 \n\n .stack append Object java/util/Enumeration \nL1487: aload_0 \nL1488: invokeinterface InterfaceMethod java/util/Enumeration hasMoreElements ()Z 1 \nL1493: ifeq L1521 \nL1496: aload_0 \nL1497: invokeinterface InterfaceMethod java/util/Enumeration nextElement ()Ljava/lang/Object; 1 \nL1502: astore_1 \nL1503: getstatic Field ConversionMaps ccsidEncoding_ Ljava/util/Hashtable; \nL1506: getstatic Field ConversionMaps encodingCcsid_ Ljava/util/Hashtable; \nL1509: aload_1 \nL1510: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; \nL1513: aload_1 \nL1514: invokevirtual Method java/util/Hashtable put [u836] \nL1517: pop \nL1518: goto L1487 \n\n .stack chop 1 \nL1521: getstatic Field ConversionMaps ccsidEncoding_ Ljava/util/Hashtable; \nL1524: ldc_w '17584' \nL1527: ldc 'UTF-16BE' \nL1529: invokevirtual Method java/util/Hashtable put [u836] \nL1532: pop \nL1533: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1536: ldc_w 'ar' \nL1539: ldc_w '2954' \nL1542: invokevirtual Method java/util/Hashtable put [u836] \nL1545: pop \nL1546: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1549: ldc_w 'ar_SA' \nL1552: ldc_w '2954' \nL1555: invokevirtual Method java/util/Hashtable put [u836] \nL1558: pop \nL1559: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1562: ldc_w 'be' \nL1565: ldc_w '2979' \nL1568: invokevirtual Method java/util/Hashtable put [u836] \nL1571: pop \nL1572: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1575: ldc_w 'bg' \nL1578: ldc_w '2974' \nL1581: invokevirtual Method java/util/Hashtable put [u836] \nL1584: pop \nL1585: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1588: ldc_w 'ca' \nL1591: ldc_w '2931' \nL1594: invokevirtual Method java/util/Hashtable put [u836] \nL1597: pop \nL1598: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1601: ldc_w 'cs' \nL1604: ldc_w '2975' \nL1607: invokevirtual Method java/util/Hashtable put [u836] \nL1610: pop \nL1611: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1614: ldc_w 'da' \nL1617: ldc_w '2926' \nL1620: invokevirtual Method java/util/Hashtable put [u836] \nL1623: pop \nL1624: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1627: ldc_w 'de' \nL1630: ldc_w '2929' \nL1633: invokevirtual Method java/util/Hashtable put [u836] \nL1636: pop \nL1637: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1640: ldc_w 'de_CH' \nL1643: ldc_w '2939' \nL1646: invokevirtual Method java/util/Hashtable put [u836] \nL1649: pop \nL1650: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1653: ldc_w 'de_DE' \nL1656: ldc_w '2929' \nL1659: invokevirtual Method java/util/Hashtable put [u836] \nL1662: pop \nL1663: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1666: ldc_w 'el' \nL1669: ldc_w '2957' \nL1672: invokevirtual Method java/util/Hashtable put [u836] \nL1675: pop \nL1676: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1679: ldc_w 'en' \nL1682: ldc_w '2924' \nL1685: invokevirtual Method java/util/Hashtable put [u836] \nL1688: pop \nL1689: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1692: ldc_w 'en_BE' \nL1695: ldc_w '2909' \nL1698: invokevirtual Method java/util/Hashtable put [u836] \nL1701: pop \nL1702: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1705: ldc_w 'en_CN' \nL1708: ldc_w '2984' \nL1711: invokevirtual Method java/util/Hashtable put [u836] \nL1714: pop \nL1715: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1718: ldc_w 'en_JP' \nL1721: ldc_w '2938' \nL1724: invokevirtual Method java/util/Hashtable put [u836] \nL1727: pop \nL1728: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1731: ldc_w 'en_KR' \nL1734: ldc_w '2984' \nL1737: invokevirtual Method java/util/Hashtable put [u836] \nL1740: pop \nL1741: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1744: ldc_w 'en_SG' \nL1747: ldc_w '2984' \nL1750: invokevirtual Method java/util/Hashtable put [u836] \nL1753: pop \nL1754: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1757: ldc_w 'en_TW' \nL1760: ldc_w '2984' \nL1763: invokevirtual Method java/util/Hashtable put [u836] \nL1766: pop \nL1767: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1770: ldc_w 'es' \nL1773: ldc_w '2931' \nL1776: invokevirtual Method java/util/Hashtable put [u836] \nL1779: pop \nL1780: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1783: ldc_w 'es_ES' \nL1786: ldc_w '2931' \nL1789: invokevirtual Method java/util/Hashtable put [u836] \nL1792: pop \nL1793: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1796: ldc_w 'et' \nL1799: ldc_w '2902' \nL1802: invokevirtual Method java/util/Hashtable put [u836] \nL1805: pop \nL1806: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1809: ldc_w 'fa' \nL1812: ldc_w '2998' \nL1815: invokevirtual Method java/util/Hashtable put [u836] \nL1818: pop \nL1819: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1822: ldc_w 'fi' \nL1825: ldc_w '2925' \nL1828: invokevirtual Method java/util/Hashtable put [u836] \nL1831: pop \nL1832: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1835: ldc_w 'fr' \nL1838: ldc_w '2928' \nL1841: invokevirtual Method java/util/Hashtable put [u836] \nL1844: pop \nL1845: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1848: ldc_w 'fr_BE' \nL1851: ldc_w '2966' \nL1854: invokevirtual Method java/util/Hashtable put [u836] \nL1857: pop \nL1858: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1861: ldc_w 'fr_CA' \nL1864: ldc_w '2981' \nL1867: invokevirtual Method java/util/Hashtable put [u836] \nL1870: pop \nL1871: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1874: ldc_w 'fr_CH' \nL1877: ldc_w '2940' \nL1880: invokevirtual Method java/util/Hashtable put [u836] \nL1883: pop \nL1884: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1887: ldc_w 'fr_FR' \nL1890: ldc_w '2928' \nL1893: invokevirtual Method java/util/Hashtable put [u836] \nL1896: pop \nL1897: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1900: ldc_w 'hr' \nL1903: ldc_w '2912' \nL1906: invokevirtual Method java/util/Hashtable put [u836] \nL1909: pop \nL1910: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1913: ldc_w 'hu' \nL1916: ldc_w '2976' \nL1919: invokevirtual Method java/util/Hashtable put [u836] \nL1922: pop \nL1923: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1926: ldc_w 'is' \nL1929: ldc_w '2958' \nL1932: invokevirtual Method java/util/Hashtable put [u836] \nL1935: pop \nL1936: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1939: ldc_w 'it' \nL1942: ldc_w '2932' \nL1945: invokevirtual Method java/util/Hashtable put [u836] \nL1948: pop \nL1949: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1952: ldc_w 'it_CH' \nL1955: ldc_w '2942' \nL1958: invokevirtual Method java/util/Hashtable put [u836] \nL1961: pop \nL1962: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1965: ldc_w 'iw' \nL1968: ldc_w '2961' \nL1971: invokevirtual Method java/util/Hashtable put [u836] \nL1974: pop \nL1975: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1978: ldc_w 'ja' \nL1981: ldc_w '2962' \nL1984: invokevirtual Method java/util/Hashtable put [u836] \nL1987: pop \nL1988: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL1991: ldc_w 'ji' \nL1994: ldc_w '2961' \nL1997: invokevirtual Method java/util/Hashtable put [u836] \nL2000: pop \nL2001: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2004: ldc_w 'ka' \nL2007: ldc_w '2979' \nL2010: invokevirtual Method java/util/Hashtable put [u836] \nL2013: pop \nL2014: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2017: ldc_w 'kk' \nL2020: ldc_w '2979' \nL2023: invokevirtual Method java/util/Hashtable put [u836] \nL2026: pop \nL2027: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2030: ldc_w 'ko' \nL2033: ldc_w '2986' \nL2036: invokevirtual Method java/util/Hashtable put [u836] \nL2039: pop \nL2040: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2043: ldc_w 'ko_KR' \nL2046: ldc_w '2986' \nL2049: invokevirtual Method java/util/Hashtable put [u836] \nL2052: pop \nL2053: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2056: ldc_w 'lo' \nL2059: ldc_w '2906' \nL2062: invokevirtual Method java/util/Hashtable put [u836] \nL2065: pop \nL2066: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2069: ldc_w 'lt' \nL2072: ldc_w '2903' \nL2075: invokevirtual Method java/util/Hashtable put [u836] \nL2078: pop \nL2079: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2082: ldc_w 'lv' \nL2085: ldc_w '2904' \nL2088: invokevirtual Method java/util/Hashtable put [u836] \nL2091: pop \nL2092: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2095: ldc_w 'mk' \nL2098: ldc_w '2913' \nL2101: invokevirtual Method java/util/Hashtable put [u836] \nL2104: pop \nL2105: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2108: ldc_w 'nl' \nL2111: ldc_w '2923' \nL2114: invokevirtual Method java/util/Hashtable put [u836] \nL2117: pop \nL2118: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2121: ldc_w 'nl_BE' \nL2124: ldc_w '2963' \nL2127: invokevirtual Method java/util/Hashtable put [u836] \nL2130: pop \nL2131: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2134: ldc_w 'nl_NL' \nL2137: ldc_w '2923' \nL2140: invokevirtual Method java/util/Hashtable put [u836] \nL2143: pop \nL2144: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2147: ldc_w 'no' \nL2150: ldc_w '2933' \nL2153: invokevirtual Method java/util/Hashtable put [u836] \nL2156: pop \nL2157: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2160: ldc_w 'pl' \nL2163: ldc_w '2978' \nL2166: invokevirtual Method java/util/Hashtable put [u836] \nL2169: pop \nL2170: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2173: ldc_w 'pt' \nL2176: ldc_w '2996' \nL2179: invokevirtual Method java/util/Hashtable put [u836] \nL2182: pop \nL2183: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2186: ldc_w 'pt_BR' \nL2189: ldc_w '2980' \nL2192: invokevirtual Method java/util/Hashtable put [u836] \nL2195: pop \nL2196: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2199: ldc_w 'pt_PT' \nL2202: ldc_w '2922' \nL2205: invokevirtual Method java/util/Hashtable put [u836] \nL2208: pop \nL2209: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2212: ldc_w 'ro' \nL2215: ldc_w '2992' \nL2218: invokevirtual Method java/util/Hashtable put [u836] \nL2221: pop \nL2222: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2225: ldc_w 'ru' \nL2228: ldc_w '2979' \nL2231: invokevirtual Method java/util/Hashtable put [u836] \nL2234: pop \nL2235: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2238: ldc_w 'sh' \nL2241: ldc_w '2912' \nL2244: invokevirtual Method java/util/Hashtable put [u836] \nL2247: pop \nL2248: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2251: ldc_w 'sk' \nL2254: ldc_w '2994' \nL2257: invokevirtual Method java/util/Hashtable put [u836] \nL2260: pop \nL2261: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2264: ldc_w 'sl' \nL2267: ldc_w '2911' \nL2270: invokevirtual Method java/util/Hashtable put [u836] \nL2273: pop \nL2274: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2277: ldc_w 'sq' \nL2280: ldc_w '2995' \nL2283: invokevirtual Method java/util/Hashtable put [u836] \nL2286: pop \nL2287: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2290: ldc_w 'sr' \nL2293: ldc_w '2914' \nL2296: invokevirtual Method java/util/Hashtable put [u836] \nL2299: pop \nL2300: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2303: ldc_w 'sv' \nL2306: ldc_w '2937' \nL2309: invokevirtual Method java/util/Hashtable put [u836] \nL2312: pop \nL2313: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2316: ldc_w 'sv_SE' \nL2319: ldc_w '2937' \nL2322: invokevirtual Method java/util/Hashtable put [u836] \nL2325: pop \nL2326: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2329: ldc_w 'th' \nL2332: ldc_w '2972' \nL2335: invokevirtual Method java/util/Hashtable put [u836] \nL2338: pop \nL2339: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2342: ldc_w 'th_TH' \nL2345: ldc_w '2972' \nL2348: invokevirtual Method java/util/Hashtable put [u836] \nL2351: pop \nL2352: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2355: ldc_w 'tr' \nL2358: ldc_w '2956' \nL2361: invokevirtual Method java/util/Hashtable put [u836] \nL2364: pop \nL2365: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2368: ldc_w 'uk' \nL2371: ldc_w '2979' \nL2374: invokevirtual Method java/util/Hashtable put [u836] \nL2377: pop \nL2378: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2381: ldc_w 'uz' \nL2384: ldc_w '2979' \nL2387: invokevirtual Method java/util/Hashtable put [u836] \nL2390: pop \nL2391: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2394: ldc_w 'vi' \nL2397: ldc_w '2905' \nL2400: invokevirtual Method java/util/Hashtable put [u836] \nL2403: pop \nL2404: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2407: ldc_w 'zh' \nL2410: ldc_w '2989' \nL2413: invokevirtual Method java/util/Hashtable put [u836] \nL2416: pop \nL2417: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2420: ldc_w 'zh_CN' \nL2423: ldc_w '2989' \nL2426: invokevirtual Method java/util/Hashtable put [u836] \nL2429: pop \nL2430: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2433: ldc_w 'zh_HK' \nL2436: ldc_w '2987' \nL2439: invokevirtual Method java/util/Hashtable put [u836] \nL2442: pop \nL2443: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2446: ldc_w 'zh_SG' \nL2449: ldc_w '2989' \nL2452: invokevirtual Method java/util/Hashtable put [u836] \nL2455: pop \nL2456: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2459: ldc_w 'zh_TW' \nL2462: ldc_w '2987' \nL2465: invokevirtual Method java/util/Hashtable put [u836] \nL2468: pop \nL2469: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2472: ldc_w 'cht' \nL2475: ldc_w '2987' \nL2478: invokevirtual Method java/util/Hashtable put [u836] \nL2481: pop \nL2482: getstatic Field ConversionMaps localeNlvMap_ Ljava/util/Hashtable; \nL2485: ldc_w 'cht_CN' \nL2488: ldc_w '2987' \nL2491: invokevirtual Method java/util/Hashtable put [u836] \nL2494: pop \nL2495: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2498: ldc_w 'ar' \nL2501: ldc '420' \nL2503: invokevirtual Method java/util/Hashtable put [u836] \nL2506: pop \nL2507: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2510: ldc_w 'ar_SA' \nL2513: ldc '420' \nL2515: invokevirtual Method java/util/Hashtable put [u836] \nL2518: pop \nL2519: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2522: ldc_w 'be' \nL2525: ldc '1025' \nL2527: invokevirtual Method java/util/Hashtable put [u836] \nL2530: pop \nL2531: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2534: ldc_w 'bg' \nL2537: ldc '1025' \nL2539: invokevirtual Method java/util/Hashtable put [u836] \nL2542: pop \nL2543: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2546: ldc_w 'ca' \nL2549: ldc '284' \nL2551: invokevirtual Method java/util/Hashtable put [u836] \nL2554: pop \nL2555: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2558: ldc_w 'cs' \nL2561: ldc '870' \nL2563: invokevirtual Method java/util/Hashtable put [u836] \nL2566: pop \nL2567: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2570: ldc_w 'da' \nL2573: ldc '277' \nL2575: invokevirtual Method java/util/Hashtable put [u836] \nL2578: pop \nL2579: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2582: ldc_w 'de' \nL2585: ldc '273' \nL2587: invokevirtual Method java/util/Hashtable put [u836] \nL2590: pop \nL2591: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2594: ldc_w 'de_CH' \nL2597: ldc '500' \nL2599: invokevirtual Method java/util/Hashtable put [u836] \nL2602: pop \nL2603: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2606: ldc_w 'de_DE' \nL2609: ldc '273' \nL2611: invokevirtual Method java/util/Hashtable put [u836] \nL2614: pop \nL2615: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2618: ldc_w 'de_AT_EURO' \nL2621: ldc '1141' \nL2623: invokevirtual Method java/util/Hashtable put [u836] \nL2626: pop \nL2627: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2630: ldc_w 'de_DE_EURO' \nL2633: ldc '1141' \nL2635: invokevirtual Method java/util/Hashtable put [u836] \nL2638: pop \nL2639: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2642: ldc_w 'de_LU_EURO' \nL2645: ldc '1141' \nL2647: invokevirtual Method java/util/Hashtable put [u836] \nL2650: pop \nL2651: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2654: ldc_w 'el' \nL2657: ldc '875' \nL2659: invokevirtual Method java/util/Hashtable put [u836] \nL2662: pop \nL2663: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2666: ldc_w 'el_GR_EURO' \nL2669: ldc_w '4971' \nL2672: invokevirtual Method java/util/Hashtable put [u836] \nL2675: pop \nL2676: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2679: ldc_w 'en' \nL2682: ldc '37' \nL2684: invokevirtual Method java/util/Hashtable put [u836] \nL2687: pop \nL2688: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2691: ldc_w 'en_BE' \nL2694: ldc '500' \nL2696: invokevirtual Method java/util/Hashtable put [u836] \nL2699: pop \nL2700: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2703: ldc_w 'en_CN' \nL2706: ldc_w '1388' \nL2709: invokevirtual Method java/util/Hashtable put [u836] \nL2712: pop \nL2713: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2716: ldc_w 'en_IE_EURO' \nL2719: ldc '1140' \nL2721: invokevirtual Method java/util/Hashtable put [u836] \nL2724: pop \nL2725: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2728: ldc_w 'en_JP' \nL2731: ldc_w '1399' \nL2734: invokevirtual Method java/util/Hashtable put [u836] \nL2737: pop \nL2738: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2741: ldc_w 'en_KR' \nL2744: ldc_w '1364' \nL2747: invokevirtual Method java/util/Hashtable put [u836] \nL2750: pop \nL2751: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2754: ldc_w 'en_SG' \nL2757: ldc_w '1388' \nL2760: invokevirtual Method java/util/Hashtable put [u836] \nL2763: pop \nL2764: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2767: ldc_w 'en_TW' \nL2770: ldc '937' \nL2772: invokevirtual Method java/util/Hashtable put [u836] \nL2775: pop \nL2776: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2779: ldc_w 'es' \nL2782: ldc '284' \nL2784: invokevirtual Method java/util/Hashtable put [u836] \nL2787: pop \nL2788: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2791: ldc_w 'es_ES' \nL2794: ldc '284' \nL2796: invokevirtual Method java/util/Hashtable put [u836] \nL2799: pop \nL2800: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2803: ldc_w 'es_ES_EURO' \nL2806: ldc '1145' \nL2808: invokevirtual Method java/util/Hashtable put [u836] \nL2811: pop \nL2812: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2815: ldc_w 'et' \nL2818: ldc '1122' \nL2820: invokevirtual Method java/util/Hashtable put [u836] \nL2823: pop \nL2824: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2827: ldc_w 'fi' \nL2830: ldc '278' \nL2832: invokevirtual Method java/util/Hashtable put [u836] \nL2835: pop \nL2836: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2839: ldc_w 'fi_FI_EURO' \nL2842: ldc '1143' \nL2844: invokevirtual Method java/util/Hashtable put [u836] \nL2847: pop \nL2848: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2851: ldc_w 'fr' \nL2854: ldc '297' \nL2856: invokevirtual Method java/util/Hashtable put [u836] \nL2859: pop \nL2860: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2863: ldc_w 'fr_BE' \nL2866: ldc '500' \nL2868: invokevirtual Method java/util/Hashtable put [u836] \nL2871: pop \nL2872: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2875: ldc_w 'fr_BE_EURO' \nL2878: ldc '1148' \nL2880: invokevirtual Method java/util/Hashtable put [u836] \nL2883: pop \nL2884: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2887: ldc_w 'fr_CA' \nL2890: ldc '37' \nL2892: invokevirtual Method java/util/Hashtable put [u836] \nL2895: pop \nL2896: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2899: ldc_w 'fr_CH' \nL2902: ldc '500' \nL2904: invokevirtual Method java/util/Hashtable put [u836] \nL2907: pop \nL2908: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2911: ldc_w 'fr_FR' \nL2914: ldc '297' \nL2916: invokevirtual Method java/util/Hashtable put [u836] \nL2919: pop \nL2920: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2923: ldc_w 'fr_FR_EURO' \nL2926: ldc '1147' \nL2928: invokevirtual Method java/util/Hashtable put [u836] \nL2931: pop \nL2932: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2935: ldc_w 'fr_LU_EURO' \nL2938: ldc '1147' \nL2940: invokevirtual Method java/util/Hashtable put [u836] \nL2943: pop \nL2944: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2947: ldc_w 'hr' \nL2950: ldc '870' \nL2952: invokevirtual Method java/util/Hashtable put [u836] \nL2955: pop \nL2956: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2959: ldc_w 'hu' \nL2962: ldc '870' \nL2964: invokevirtual Method java/util/Hashtable put [u836] \nL2967: pop \nL2968: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2971: ldc_w 'is' \nL2974: ldc '871' \nL2976: invokevirtual Method java/util/Hashtable put [u836] \nL2979: pop \nL2980: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2983: ldc_w 'it' \nL2986: ldc '280' \nL2988: invokevirtual Method java/util/Hashtable put [u836] \nL2991: pop \nL2992: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL2995: ldc_w 'it_CH' \nL2998: ldc '500' \nL3000: invokevirtual Method java/util/Hashtable put [u836] \nL3003: pop \nL3004: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3007: ldc_w 'it_IT_EURO' \nL3010: ldc '1144' \nL3012: invokevirtual Method java/util/Hashtable put [u836] \nL3015: pop \nL3016: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3019: ldc_w 'iw' \nL3022: ldc '424' \nL3024: invokevirtual Method java/util/Hashtable put [u836] \nL3027: pop \nL3028: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3031: ldc_w 'ja' \nL3034: ldc_w '1399' \nL3037: invokevirtual Method java/util/Hashtable put [u836] \nL3040: pop \nL3041: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3044: ldc_w 'ji' \nL3047: ldc '424' \nL3049: invokevirtual Method java/util/Hashtable put [u836] \nL3052: pop \nL3053: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3056: ldc_w 'ka' \nL3059: ldc '1025' \nL3061: invokevirtual Method java/util/Hashtable put [u836] \nL3064: pop \nL3065: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3068: ldc_w 'kk' \nL3071: ldc '1025' \nL3073: invokevirtual Method java/util/Hashtable put [u836] \nL3076: pop \nL3077: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3080: ldc_w 'ko' \nL3083: ldc_w '1364' \nL3086: invokevirtual Method java/util/Hashtable put [u836] \nL3089: pop \nL3090: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3093: ldc_w 'ko_KR' \nL3096: ldc_w '1364' \nL3099: invokevirtual Method java/util/Hashtable put [u836] \nL3102: pop \nL3103: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3106: ldc_w 'lo' \nL3109: ldc_w '1132' \nL3112: invokevirtual Method java/util/Hashtable put [u836] \nL3115: pop \nL3116: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3119: ldc_w 'lt' \nL3122: ldc '1112' \nL3124: invokevirtual Method java/util/Hashtable put [u836] \nL3127: pop \nL3128: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3131: ldc_w 'lv' \nL3134: ldc '1112' \nL3136: invokevirtual Method java/util/Hashtable put [u836] \nL3139: pop \nL3140: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3143: ldc_w 'mk' \nL3146: ldc '1025' \nL3148: invokevirtual Method java/util/Hashtable put [u836] \nL3151: pop \nL3152: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3155: ldc_w 'nl' \nL3158: ldc '37' \nL3160: invokevirtual Method java/util/Hashtable put [u836] \nL3163: pop \nL3164: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3167: ldc_w 'nl_BE' \nL3170: ldc '500' \nL3172: invokevirtual Method java/util/Hashtable put [u836] \nL3175: pop \nL3176: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3179: ldc_w 'nl_NL' \nL3182: ldc '37' \nL3184: invokevirtual Method java/util/Hashtable put [u836] \nL3187: pop \nL3188: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3191: ldc_w 'nl_BE_EURO' \nL3194: ldc '1148' \nL3196: invokevirtual Method java/util/Hashtable put [u836] \nL3199: pop \nL3200: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3203: ldc_w 'nl_NL_EURO' \nL3206: ldc '1140' \nL3208: invokevirtual Method java/util/Hashtable put [u836] \nL3211: pop \nL3212: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3215: ldc_w 'no' \nL3218: ldc '277' \nL3220: invokevirtual Method java/util/Hashtable put [u836] \nL3223: pop \nL3224: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3227: ldc_w 'pl' \nL3230: ldc '870' \nL3232: invokevirtual Method java/util/Hashtable put [u836] \nL3235: pop \nL3236: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3239: ldc_w 'pt' \nL3242: ldc '500' \nL3244: invokevirtual Method java/util/Hashtable put [u836] \nL3247: pop \nL3248: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3251: ldc_w 'pt_BR' \nL3254: ldc '37' \nL3256: invokevirtual Method java/util/Hashtable put [u836] \nL3259: pop \nL3260: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3263: ldc_w 'pt_PT' \nL3266: ldc '37' \nL3268: invokevirtual Method java/util/Hashtable put [u836] \nL3271: pop \nL3272: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3275: ldc_w 'pt_PT_EURO' \nL3278: ldc '1140' \nL3280: invokevirtual Method java/util/Hashtable put [u836] \nL3283: pop \nL3284: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3287: ldc_w 'ro' \nL3290: ldc '870' \nL3292: invokevirtual Method java/util/Hashtable put [u836] \nL3295: pop \nL3296: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3299: ldc_w 'ru' \nL3302: ldc '1025' \nL3304: invokevirtual Method java/util/Hashtable put [u836] \nL3307: pop \nL3308: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3311: ldc_w 'sh' \nL3314: ldc '870' \nL3316: invokevirtual Method java/util/Hashtable put [u836] \nL3319: pop \nL3320: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3323: ldc_w 'sk' \nL3326: ldc '870' \nL3328: invokevirtual Method java/util/Hashtable put [u836] \nL3331: pop \nL3332: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3335: ldc_w 'sl' \nL3338: ldc '870' \nL3340: invokevirtual Method java/util/Hashtable put [u836] \nL3343: pop \nL3344: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3347: ldc_w 'sq' \nL3350: ldc '500' \nL3352: invokevirtual Method java/util/Hashtable put [u836] \nL3355: pop \nL3356: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3359: ldc_w 'sr' \nL3362: ldc '1025' \nL3364: invokevirtual Method java/util/Hashtable put [u836] \nL3367: pop \nL3368: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3371: ldc_w 'sv' \nL3374: ldc '278' \nL3376: invokevirtual Method java/util/Hashtable put [u836] \nL3379: pop \nL3380: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3383: ldc_w 'sv_SE' \nL3386: ldc '278' \nL3388: invokevirtual Method java/util/Hashtable put [u836] \nL3391: pop \nL3392: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3395: ldc_w 'th' \nL3398: ldc '838' \nL3400: invokevirtual Method java/util/Hashtable put [u836] \nL3403: pop \nL3404: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3407: ldc_w 'th_TH' \nL3410: ldc '838' \nL3412: invokevirtual Method java/util/Hashtable put [u836] \nL3415: pop \nL3416: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3419: ldc_w 'tr' \nL3422: ldc '1026' \nL3424: invokevirtual Method java/util/Hashtable put [u836] \nL3427: pop \nL3428: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3431: ldc_w 'uk' \nL3434: ldc '1123' \nL3436: invokevirtual Method java/util/Hashtable put [u836] \nL3439: pop \nL3440: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3443: ldc_w 'uz' \nL3446: ldc '1025' \nL3448: invokevirtual Method java/util/Hashtable put [u836] \nL3451: pop \nL3452: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3455: ldc_w 'vi' \nL3458: ldc_w '1130' \nL3461: invokevirtual Method java/util/Hashtable put [u836] \nL3464: pop \nL3465: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3468: ldc_w 'zh' \nL3471: ldc_w '1388' \nL3474: invokevirtual Method java/util/Hashtable put [u836] \nL3477: pop \nL3478: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3481: ldc_w 'zh_CN' \nL3484: ldc_w '1388' \nL3487: invokevirtual Method java/util/Hashtable put [u836] \nL3490: pop \nL3491: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3494: ldc_w 'zh_HK' \nL3497: ldc '937' \nL3499: invokevirtual Method java/util/Hashtable put [u836] \nL3502: pop \nL3503: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3506: ldc_w 'zh_SG' \nL3509: ldc_w '1388' \nL3512: invokevirtual Method java/util/Hashtable put [u836] \nL3515: pop \nL3516: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3519: ldc_w 'zh_TW' \nL3522: ldc '937' \nL3524: invokevirtual Method java/util/Hashtable put [u836] \nL3527: pop \nL3528: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3531: ldc_w 'cht' \nL3534: ldc '937' \nL3536: invokevirtual Method java/util/Hashtable put [u836] \nL3539: pop \nL3540: getstatic Field ConversionMaps localeCcsidMap_ Ljava/util/Hashtable; \nL3543: ldc_w 'cht_CN' \nL3546: ldc '937' \nL3548: invokevirtual Method java/util/Hashtable put [u836] \nL3551: pop \nL3552: return \nL3553: \n .linenumbertable \n L0 24 \n L13 25 \n L26 26 \n L38 27 \n L50 52 \n L61 53 \n L72 54 \n L83 55 \n L94 56 \n L105 58 \n L116 60 \n L127 61 \n L138 62 \n L149 64 \n L160 66 \n L171 67 \n L182 68 \n L193 69 \n L204 70 \n L215 71 \n L226 72 \n L237 73 \n L248 74 \n L259 75 \n L270 76 \n L281 77 \n L292 78 \n L303 79 \n L314 80 \n L325 81 \n L336 82 \n L347 83 \n L358 84 \n L369 85 \n L380 86 \n L391 87 \n L402 88 \n L413 89 \n L424 90 \n L435 91 \n L446 92 \n L457 93 \n L468 94 \n L479 95 \n L490 96 \n L501 97 \n L512 98 \n L523 99 \n L534 100 \n L545 101 \n L556 102 \n L567 103 \n L578 104 \n L589 105 \n L600 106 \n L611 107 \n L622 108 \n L633 109 \n L644 110 \n L655 112 \n L666 114 \n L677 115 \n L688 117 \n L699 118 \n L710 119 \n L721 120 \n L732 121 \n L743 122 \n L754 123 \n L765 124 \n L776 125 \n L787 126 \n L798 127 \n L809 128 \n L820 129 \n L831 130 \n L842 131 \n L853 132 \n L864 133 \n L875 134 \n L886 135 \n L897 136 \n L908 137 \n L919 138 \n L930 139 \n L941 140 \n L952 141 \n L963 142 \n L974 143 \n L985 144 \n L996 145 \n L1007 146 \n L1018 147 \n L1029 148 \n L1040 149 \n L1051 150 \n L1062 153 \n L1073 154 \n L1084 155 \n L1095 156 \n L1106 158 \n L1117 159 \n L1128 160 \n L1139 169 \n L1150 170 \n L1161 172 \n L1172 173 \n L1183 174 \n L1194 175 \n L1205 176 \n L1216 177 \n L1227 178 \n L1238 179 \n L1249 184 \n L1260 185 \n L1271 186 \n L1282 189 \n L1293 190 \n L1304 191 \n L1315 193 \n L1326 194 \n L1337 195 \n L1348 196 \n L1359 197 \n L1370 200 \n L1381 201 \n L1392 202 \n L1403 204 \n L1414 206 \n L1425 207 \n L1436 208 \n L1447 211 \n L1458 214 \n L1469 215 \n L1480 223 \n L1496 225 \n L1503 226 \n L1518 227 \n L1521 229 \n L1533 240 \n L1546 241 \n L1559 242 \n L1572 243 \n L1585 244 \n L1598 245 \n L1611 246 \n L1624 247 \n L1637 248 \n L1650 249 \n L1663 250 \n L1676 251 \n L1689 252 \n L1702 253 \n L1715 254 \n L1728 255 \n L1741 256 \n L1754 257 \n L1767 258 \n L1780 259 \n L1793 260 \n L1806 261 \n L1819 262 \n L1832 263 \n L1845 264 \n L1858 265 \n L1871 266 \n L1884 267 \n L1897 268 \n L1910 269 \n L1923 270 \n L1936 271 \n L1949 272 \n L1962 273 \n L1975 274 \n L1988 275 \n L2001 276 \n L2014 277 \n L2027 278 \n L2040 279 \n L2053 280 \n L2066 281 \n L2079 282 \n L2092 283 \n L2105 284 \n L2118 285 \n L2131 286 \n L2144 287 \n L2157 288 \n L2170 289 \n L2183 290 \n L2196 291 \n L2209 292 \n L2222 293 \n L2235 294 \n L2248 295 \n L2261 296 \n L2274 297 \n L2287 298 \n L2300 299 \n L2313 300 \n L2326 301 \n L2339 302 \n L2352 303 \n L2365 304 \n L2378 305 \n L2391 306 \n L2404 307 \n L2417 308 \n L2430 309 \n L2443 310 \n L2456 311 \n L2469 312 \n L2482 313 \n L2495 321 \n L2507 322 \n L2519 323 \n L2531 324 \n L2543 325 \n L2555 326 \n L2567 327 \n L2579 328 \n L2591 329 \n L2603 330 \n L2615 331 \n L2627 332 \n L2639 333 \n L2651 334 \n L2663 335 \n L2676 336 \n L2688 337 \n L2700 338 \n L2713 339 \n L2725 340 \n L2738 341 \n L2751 342 \n L2764 343 \n L2776 344 \n L2788 345 \n L2800 346 \n L2812 347 \n L2824 348 \n L2836 349 \n L2848 350 \n L2860 351 \n L2872 352 \n L2884 353 \n L2896 354 \n L2908 355 \n L2920 356 \n L2932 357 \n L2944 358 \n L2956 359 \n L2968 360 \n L2980 361 \n L2992 362 \n L3004 363 \n L3016 364 \n L3028 365 \n L3041 366 \n L3053 367 \n L3065 368 \n L3077 369 \n L3090 370 \n L3103 371 \n L3116 372 \n L3128 373 \n L3140 374 \n L3152 375 \n L3164 376 \n L3176 377 \n L3188 378 \n L3200 379 \n L3212 380 \n L3224 381 \n L3236 382 \n L3248 383 \n L3260 384 \n L3272 385 \n L3284 386 \n L3296 387 \n L3308 388 \n L3320 389 \n L3332 390 \n L3344 391 \n L3356 392 \n L3368 393 \n L3380 394 \n L3392 395 \n L3404 396 \n L3416 397 \n L3428 398 \n L3440 399 \n L3452 400 \n L3465 401 \n L3478 402 \n L3491 403 \n L3503 404 \n L3516 405 \n L3528 406 \n L3540 407 \n L3552 408 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'ConversionMaps.java' \n.const [u836] = Utf8 (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:26:41 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class ConversionMaps_ESTest extends ConversionMaps_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String string0 = ConversionMaps.encodingToCcsidString(\"\");\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String string0 = ConversionMaps.encodingToCcsidString(\"Cp037\");\n assertEquals(\"37\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n String string0 = ConversionMaps.ccsidToEncoding(37);\n assertEquals(\"Cp037\", string0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n String string0 = ConversionMaps.ccsidToEncoding((-64191));\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:26:41 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class ConversionMaps_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"ConversionMaps\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpsymqmedu\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConversionMaps_ESTest_scaffolding.class.getClassLoader() ,\n \"ConversionMaps\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConversionMaps_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"ConversionMaps\"\n );\n }\n}\n", "class_idx": 287} {"class_name": "Reclassify", "java_source": "/*\n * @author \u00b7\u00eb\u00cc\u00ce\u00a3\u00ac\u00b4\u00b4\u00bd\u00a8\u00c8\u00d5\u00c6\u00da\u00a3\u00ba2003-9-19\n * blog--http://apower.blogone.net\n * QQ:17463776\n * MSN:apower511@msn.com\n * E-Mail:VonPower@Gmail.com\n */\n\n/**\n * @author Administrator\n */\npublic class Reclassify {\n\n public Reclassify() {\n super();\n // TODO Auto-generated constructor stub\n }\n /*\n public IGeoDataset doReclassify(IGeoDataset data,String aOutPath) {\n \t// Create a raster descriptor and specify the field to be used for\n \t// reclassify\n \tIRasterDescriptor rasDescriptor = new RasterDescriptor();\n \trasDescriptor.create(new IRasterProxy(data), null, \"Value\");\n\n \t// Create a RasterReclassOp operator\n \tIReclassOp reclassOp = new RasterReclassOp();\n\n \t// Set output workspace.Specify GRID's output filepath\n \tIWorkspaceFactory rasterWSF = new RasterWorkspaceFactory();\n \tIWorkspace rasterWS = rasterWSF.openFromFile(aOutPath, 0);\n \tIRasterAnalysisEnvironment rasterEnv = (IRasterAnalysisEnvironment) reclassOp;\n \trasterEnv.setOutWorkspaceByRef(rasterWS);\n\n \t// Create a StringRemap object and specify remap\n \tINumberRemap numRemap = new NumberRemap();\n\n \tnumRemap.mapRange(0, 850, 10);\n \tnumRemap.mapRange(851, 1800, 5);\n\n \tIGeoDataset reclassResult = reclassOp.reclassByRemap(distanceResult,\n \t\t\tnew IRemapProxy(numRemap), false);\n\n \tIMapAlgebraOp mapAlgebraOp = new RasterMapAlgebraOp();\n\n \t Set output workspace\n \tIRasterAnalysisEnvironment rasterAnalysisEnvironment = new IRasterAnalysisEnvironmentProxy(\n \t\t\tmapAlgebraOp);\n \tIWorkspaceFactory rasterWSF2 = new RasterWorkspaceFactory();\n \tIWorkspace workspace = rasterWSF2.openFromFile(\"d:\\\\\", 0);\n \trasterAnalysisEnvironment.setOutWorkspaceByRef(workspace);\n\n \tmapAlgebraOp.bindRaster(distanceResult, \"R1\");\n \tmapAlgebraOp.bindRaster(reclassResult, \"R2\");\n \tmapAlgebraOp.execute(\"[R1] + [R2]\");\n\n \treturn reclassResult;\n\n }*/\n}\n", "jasm_code": ".version 52 0 \n.class public super Reclassify \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 18 \n L4 20 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Reclassify.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 05:19:31 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Reclassify_ESTest extends Reclassify_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Reclassify reclassify0 = new Reclassify();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 05:19:31 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Reclassify_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Reclassify\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpmu0s15bx\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Reclassify_ESTest_scaffolding.class.getClassLoader() ,\n \"Reclassify\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Reclassify_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Reclassify\"\n );\n }\n}\n", "class_idx": 288} {"class_name": "FilterException", "java_source": "/*******************************************************************************\n * Copyright (c) 2014, 2018 IBM Corporation and others.\n * All rights reserved. This program and the accompanying materials\n * are made available under the terms of the Eclipse Public License v1.0\n * which accompanies this distribution, and is available at\n * http://www.eclipse.org/legal/epl-v10.html\n *\n * Contributors:\n * IBM Corporation - initial API and implementation\n *******************************************************************************/\n\npublic class FilterException extends Exception {\n\n /** */\n private static final long serialVersionUID = 5964331808214117126L;\n\n /** */\n public FilterException() {\n super();\n }\n\n /**\n * @param message\n */\n public FilterException(String message) {\n super(message);\n }\n\n /**\n * @param message\n * @param cause\n */\n public FilterException(String message, Throwable cause) {\n super(message, cause);\n }\n\n /**\n * @param cause\n */\n public FilterException(Throwable cause) {\n super(cause);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super FilterException \n.super java/lang/Exception \n.field private static final serialVersionUID J = 5964331808214117126L \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Exception ()V \nL4: return \nL5: \n .linenumbertable \n L0 22 \n L4 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: return \nL6: \n .linenumbertable \n L0 29 \n L5 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/String;Ljava/lang/Throwable;)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: aload_2 \nL3: invokespecial Method java/lang/Exception (Ljava/lang/String;Ljava/lang/Throwable;)V \nL6: return \nL7: \n .linenumbertable \n L0 37 \n L6 38 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (Ljava/lang/Throwable;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/Throwable;)V \nL5: return \nL6: \n .linenumbertable \n L0 44 \n L5 45 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'FilterException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 00:34:32 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class FilterException_ESTest extends FilterException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n FilterException filterException0 = new FilterException(\"20WC=rW&T\");\n FilterException filterException1 = new FilterException(filterException0);\n assertFalse(filterException1.equals((Object)filterException0));\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n FilterException filterException0 = new FilterException(\"20WC=rW&T\");\n FilterException filterException1 = new FilterException(\"!a;QOI_iduN#Oo*Dsj\", filterException0);\n assertFalse(filterException1.equals((Object)filterException0));\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n FilterException filterException0 = new FilterException();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 00:34:32 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class FilterException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"FilterException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpwbl10vqj\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FilterException_ESTest_scaffolding.class.getClassLoader() ,\n \"FilterException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FilterException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"FilterException\"\n );\n }\n}\n", "class_idx": 289} {"class_name": "Foo", "java_source": "public class Foo {\n\n public void bar() {}\n}\n", "jasm_code": ".version 52 0 \n.class public super Foo \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n\n.method public bar : ()V \n .code stack 0 locals 1 \nL0: return \nL1: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Foo.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 11:31:26 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Foo_ESTest extends Foo_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Foo foo0 = new Foo();\n foo0.bar();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 11:31:26 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Foo_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Foo\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp5xxc4cyk\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Foo_ESTest_scaffolding.class.getClassLoader() ,\n \"Foo\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Foo_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Foo\"\n );\n }\n}\n", "class_idx": 290} {"class_name": "DuplicateNameException", "java_source": "/**\n * Copyright 2008 University of Rochester\n *\n *

Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use this file\n * except in compliance with the License. You may obtain a copy of the License at\n *\n *

http://www.apache.org/licenses/LICENSE-2.0\n *\n *

Unless required by applicable law or agreed to in writing, software distributed under the\n * License is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either\n * express or implied. See the License for the specific language governing permissions and\n * limitations under the License.\n */\n\n/**\n * Indicates a duplicate name has occured in the system where duplicate names are not allowed.\n *\n * @author Nathan Sarr\n */\npublic class DuplicateNameException extends Exception {\n\n /** Name that was duplicated */\n private String name;\n\n /** Indicates that a duplicate name has been used when it should not be */\n private static final long serialVersionUID = 8295922423572725111L;\n\n /**\n * Message and the name that was duplicated.\n *\n * @param message\n * @param name\n */\n public DuplicateNameException(String message, String name) {\n super(message);\n this.name = name;\n }\n\n /**\n * Name that was duplicated\n *\n * @return\n */\n public String getName() {\n return name;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super DuplicateNameException \n.super java/lang/Exception \n.field private name Ljava/lang/String; \n.field private static final serialVersionUID J = 8295922423572725111L \n\n.method public : (Ljava/lang/String;Ljava/lang/String;)V \n .code stack 2 locals 3 \nL0: aload_0 \nL1: aload_1 \nL2: invokespecial Method java/lang/Exception (Ljava/lang/String;)V \nL5: aload_0 \nL6: aload_2 \nL7: putfield Field DuplicateNameException name Ljava/lang/String; \nL10: return \nL11: \n .linenumbertable \n L0 43 \n L5 44 \n L10 45 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field DuplicateNameException name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 54 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'DuplicateNameException.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 05:10:36 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class DuplicateNameException_ESTest extends DuplicateNameException_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n DuplicateNameException duplicateNameException0 = new DuplicateNameException((String) null, (String) null);\n String string0 = duplicateNameException0.getName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n DuplicateNameException duplicateNameException0 = new DuplicateNameException((String) null, \"\");\n String string0 = duplicateNameException0.getName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n DuplicateNameException duplicateNameException0 = new DuplicateNameException(\"PvG@4<>|+`kV\u007fMq1/;\", \"PvG@4<>|+`kV\u007fMq1/;\");\n String string0 = duplicateNameException0.getName();\n assertNotNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 05:10:36 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class DuplicateNameException_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"DuplicateNameException\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmplf4rsx_w\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DuplicateNameException_ESTest_scaffolding.class.getClassLoader() ,\n \"DuplicateNameException\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DuplicateNameException_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"DuplicateNameException\"\n );\n }\n}\n", "class_idx": 291} {"class_name": "Invocation", "java_source": "import java.lang.reflect.Method;\n\npublic class Invocation {\n private String serviceName;\n private Object proxy;\n private Method method;\n private Object[] args;\n\n public Invocation(String serviceName, Object proxy, Method method, Object[] args) {\n this.serviceName = serviceName;\n this.proxy = proxy;\n this.method = method;\n this.args = args;\n }\n\n public String getServiceName() {\n return serviceName;\n }\n\n public Object getProxy() {\n return proxy;\n }\n\n public Method getMethod() {\n return method;\n }\n\n public Object[] getArgs() {\n return args;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Invocation \n.super java/lang/Object \n.field private serviceName Ljava/lang/String; \n.field private proxy Ljava/lang/Object; \n.field private method Ljava/lang/reflect/Method; \n.field private args [Ljava/lang/Object; \n\n.method public : (Ljava/lang/String;Ljava/lang/Object;Ljava/lang/reflect/Method;[Ljava/lang/Object;)V \n .code stack 2 locals 5 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field Invocation serviceName Ljava/lang/String; \nL9: aload_0 \nL10: aload_2 \nL11: putfield Field Invocation proxy Ljava/lang/Object; \nL14: aload_0 \nL15: aload_3 \nL16: putfield Field Invocation method Ljava/lang/reflect/Method; \nL19: aload_0 \nL20: aload 4 \nL22: putfield Field Invocation args [Ljava/lang/Object; \nL25: return \nL26: \n .linenumbertable \n L0 11 \n L4 12 \n L9 13 \n L14 14 \n L19 15 \n L25 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public getServiceName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Invocation serviceName Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 19 \n .end linenumbertable \n .end code \n.end method \n\n.method public getProxy : ()Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Invocation proxy Ljava/lang/Object; \nL4: areturn \nL5: \n .linenumbertable \n L0 23 \n .end linenumbertable \n .end code \n.end method \n\n.method public getMethod : ()Ljava/lang/reflect/Method; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Invocation method Ljava/lang/reflect/Method; \nL4: areturn \nL5: \n .linenumbertable \n L0 27 \n .end linenumbertable \n .end code \n.end method \n\n.method public getArgs : ()[Ljava/lang/Object; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Invocation args [Ljava/lang/Object; \nL4: areturn \nL5: \n .linenumbertable \n L0 31 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Invocation.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 05:35:58 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.lang.reflect.Method;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Invocation_ESTest extends Invocation_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Object[] objectArray0 = new Object[0];\n Invocation invocation0 = new Invocation((String) null, (Object) null, (Method) null, objectArray0);\n String string0 = invocation0.getServiceName();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n Object[] objectArray0 = new Object[0];\n Invocation invocation0 = new Invocation(\"\", \"\", (Method) null, objectArray0);\n String string0 = invocation0.getServiceName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n Object[] objectArray0 = new Object[0];\n Invocation invocation0 = new Invocation((String) null, (Object) null, (Method) null, objectArray0);\n Object object0 = invocation0.getProxy();\n assertNull(object0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n Object[] objectArray0 = new Object[7];\n Invocation invocation0 = new Invocation(\"pR>9\", (Object) null, (Method) null, objectArray0);\n Object[] objectArray1 = invocation0.getArgs();\n assertSame(objectArray1, objectArray0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n Object[] objectArray0 = new Object[0];\n Invocation invocation0 = new Invocation(\"\", \"\", (Method) null, objectArray0);\n Object[] objectArray1 = invocation0.getArgs();\n assertEquals(0, objectArray1.length);\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n Object[] objectArray0 = new Object[0];\n Invocation invocation0 = new Invocation(\"\", \"\", (Method) null, objectArray0);\n Object object0 = invocation0.getProxy();\n assertEquals(\"\", object0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n Object[] objectArray0 = new Object[0];\n Invocation invocation0 = new Invocation(\"\", \"\", (Method) null, objectArray0);\n Method method0 = invocation0.getMethod();\n assertNull(method0);\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n Invocation invocation0 = new Invocation(\":;B4x-/9ygq^Ap^,\", \":;B4x-/9ygq^Ap^,\", (Method) null, (Object[]) null);\n Object[] objectArray0 = invocation0.getArgs();\n assertNull(objectArray0);\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n Invocation invocation0 = new Invocation(\":;B4x-/9ygq^Ap^,\", \":;B4x-/9ygq^Ap^,\", (Method) null, (Object[]) null);\n String string0 = invocation0.getServiceName();\n assertEquals(\":;B4x-/9ygq^Ap^,\", string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 05:35:58 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Invocation_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Invocation\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpfrmmmoun\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Invocation_ESTest_scaffolding.class.getClassLoader() ,\n \"Invocation\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Invocation_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Invocation\"\n );\n }\n}\n", "class_idx": 292} {"class_name": "MultiHello", "java_source": "public class MultiHello {\n public static void main(String[] args) {\n for (int i = 0; i < 10; i++) {\n System.out.println(\"Hello world!\");\n }\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super MultiHello \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 1 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: iconst_0 \nL1: istore_1 \n\n .stack append Integer \nL2: iload_1 \nL3: bipush 10 \nL5: if_icmpge L22 \nL8: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL11: ldc 'Hello world!' \nL13: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL16: iinc 1 1 \nL19: goto L2 \n\n .stack chop 1 \nL22: return \nL23: \n .linenumbertable \n L0 3 \n L8 4 \n L16 3 \n L22 6 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'MultiHello.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 18:32:34 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class MultiHello_ESTest extends MultiHello_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n String[] stringArray0 = new String[3];\n MultiHello.main(stringArray0);\n MultiHello multiHello0 = new MultiHello();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 18:32:34 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class MultiHello_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"MultiHello\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp1wmy75ur\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MultiHello_ESTest_scaffolding.class.getClassLoader() ,\n \"MultiHello\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MultiHello_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"MultiHello\"\n );\n }\n}\n", "class_idx": 293} {"class_name": "RandomEventTable", "java_source": "/*\n * To change this license header, choose License Headers in Project Properties.\n * To change this template file, choose Tools | Templates\n * and open the template in the editor.\n */\n\nimport java.util.Random;\n\n/**\n * @author David\n */\npublic class RandomEventTable {\n private int eventKey;\n private int eventLength;\n private String eventDescription;\n private int currentEventKey;\n Random RandomGenerator = new Random();\n\n private void KeyLookup(int sixSidedDieOne, int sixSidedDieTwo) {\n if (ValidaedDiceRangeForRandomEventTable(sixSidedDieOne, sixSidedDieTwo))\n switch (sixSidedDieOne) {\n case 0:\n if (sixSidedDieTwo == 0) {\n SetEventKey(1);\n break;\n }\n if (sixSidedDieTwo == 2) {\n SetEventKey(7);\n break;\n }\n if (sixSidedDieTwo == 4) {\n SetEventKey(8);\n break;\n }\n if (sixSidedDieTwo == 5) {\n SetEventKey(9);\n break;\n }\n SetEventKey(0);\n break;\n\n case 1:\n if (sixSidedDieTwo == 1) {\n SetEventKey(2);\n break;\n }\n if (sixSidedDieTwo == 3) {\n SetEventKey(10);\n break;\n }\n if (sixSidedDieTwo == 5) {\n SetEventKey(11);\n break;\n }\n SetEventKey(0);\n break;\n\n case 2:\n if (sixSidedDieTwo == 0) {\n SetEventKey(12);\n break;\n }\n if (sixSidedDieTwo == 2) {\n SetEventKey(3);\n break;\n }\n if (sixSidedDieTwo == 4) {\n SetEventKey(13);\n break;\n }\n if (sixSidedDieTwo == 5) {\n SetEventKey(14);\n break;\n }\n SetEventKey(0);\n break;\n\n case 3:\n if (sixSidedDieTwo == 1) {\n SetEventKey(15);\n break;\n }\n if (sixSidedDieTwo == 3) {\n SetEventKey(4);\n break;\n }\n if (sixSidedDieTwo == 5) {\n SetEventKey(16);\n break;\n }\n SetEventKey(0);\n break;\n\n case 4:\n if (sixSidedDieTwo == 0) {\n SetEventKey(17);\n break;\n }\n if (sixSidedDieTwo == 2) {\n SetEventKey(18);\n break;\n }\n if (sixSidedDieTwo == 4) {\n SetEventKey(5);\n break;\n }\n if (sixSidedDieTwo == 5) {\n SetEventKey(19);\n break;\n }\n SetEventKey(0);\n break;\n\n case 5:\n if (sixSidedDieTwo == 1) {\n if (GetCurrentEvent() == 13) SetEventKey(0);\n else SetEventKey(20);\n break;\n }\n if (sixSidedDieTwo == 3) {\n SetEventKey(21);\n break;\n }\n if (sixSidedDieTwo == 5) {\n SetEventKey(6);\n break;\n }\n SetEventKey(0);\n break;\n } // switch\n } // KeyLookUp\n\n private boolean ValidaedDiceRangeForRandomEventTable(int sixSidedDieOne, int sixSidedDieTwo) {\n\n if ((sixSidedDieOne >= 0 && sixSidedDieOne <= 5)\n && (sixSidedDieTwo >= 0 && sixSidedDieTwo <= 5)) return true;\n else { // alpha else\n if (sixSidedDieOne >= 6 || sixSidedDieOne < 0) {\n System.out.println(\"Die1 has an invaled value of \" + sixSidedDieOne);\n\n if (sixSidedDieTwo >= 6 || sixSidedDieTwo < 0)\n System.out.println(\"Die2 has an invaled value of \" + sixSidedDieTwo);\n } // if\n else if (sixSidedDieTwo >= 6 || sixSidedDieTwo < 0)\n System.out.println(\"Die2 has an invaled value of \" + sixSidedDieTwo);\n } // alpha else\n return false;\n }\n\n private void LookupDescription(int lookUpEventKey) {\n if (ValidateEventKeyRange(lookUpEventKey))\n switch (lookUpEventKey) {\n case 0:\n SetEventDescription(\"No random event occurs.\");\n break;\n\n case 1:\n SetEventDescription(\"Yellow sun manna flux.\");\n break;\n\n case 2:\n SetEventDescription(\"Yellow sun manna drought.\");\n break;\n\n case 3:\n SetEventDescription(\"Blue sun manna flux.\");\n break;\n\n case 4:\n SetEventDescription(\"Blue son manna drought\");\n break;\n\n case 5:\n SetEventDescription(\"Red sun manna flux\");\n break;\n\n case 6:\n SetEventDescription(\"Red sun manna drought.\");\n break;\n\n case 7:\n SetEventDescription(\"Elven high holy day.\");\n break;\n\n case 8:\n SetEventDescription(\"Season of the midnight sun.\");\n break;\n\n case 9:\n SetEventDescription(\"Church declares a special communion as a tribute to the Emperor.\");\n break;\n\n case 10:\n SetEventDescription(\"Dwarrows hold a folk moot.\");\n break;\n\n case 11:\n SetEventDescription(\"Conjunction of fear.\");\n break;\n\n case 12:\n SetEventDescription(\"Corfluite collation.\");\n break;\n\n case 13:\n SetEventDescription(\"Drought.\");\n break;\n\n case 14:\n SetEventDescription(\"Flooding.\");\n break;\n\n case 15:\n SetEventDescription(\"Earthquake.\");\n break;\n\n case 16:\n SetEventDescription(\"Windstorm.\");\n break;\n\n case 17:\n SetEventDescription(\"Mount GreyMoore and mount Gerlod erupt.\");\n break;\n\n case 18:\n SetEventDescription(\"The Mistral is blowing.\");\n break;\n\n case 19:\n SetEventDescription(\"Vortex storm.\");\n break;\n\n case 20:\n SetEventDescription(\"Killer penguin migration\");\n break;\n\n case 21:\n SetEventDescription(\"Poisonous piranha infestation.\");\n break;\n\n default:\n break;\n } // switch\n } // DescriptionLookUp\n\n private boolean ValidateEventKeyRange(int lookUpEventKey) {\n if (lookUpEventKey >= 0 || lookUpEventKey <= 21) return true;\n else System.out.println(\"EventKey has an invaled value of \" + lookUpEventKey);\n\n return false;\n }\n\n private void LookUpLength(int KeyOfEvent) {\n if (ValidateEventKeyRange(KeyOfEvent))\n if (KeyOfEvent == 13) SetEventLength(3);\n else SetEventLength(1);\n else System.out.println(\"EventKey has an invaled value of \" + KeyOfEvent);\n } // LookUpLength\n\n public int GetEventKey() {\n\n return eventKey;\n } // EventKey\n\n public int GetEventLength() {\n\n return eventLength;\n } // EventLength\n\n public String GetEventDescription() {\n\n return eventDescription;\n } // EventDescription\n\n private int GetCurrentEvent() {\n return currentEventKey;\n }\n\n private void SetEventKey(int keyOfEvent) {\n eventKey = keyOfEvent;\n }\n\n private void SetEventLength(int lengthOfEvent) {\n eventLength = lengthOfEvent;\n }\n\n private void SetEventDescription(String descriptionOfEvent) {\n eventDescription = descriptionOfEvent;\n }\n\n private void SetCurrentEvent(int keyOfEvent) {\n currentEventKey = keyOfEvent;\n }\n\n public RandomEventTable() {\n\n SetCurrentEvent(0);\n\n this.KeyLookup(RandomSixSideDie(), RandomSixSideDie());\n this.LookupDescription(GetEventKey());\n this.LookUpLength(GetEventKey());\n } // RandomEventTable()\n\n private int RandomSixSideDie() {\n return RandomGenerator.nextInt(6);\n }\n\n public RandomEventTable(int inEvent) {\n\n SetCurrentEvent(inEvent);\n\n this.KeyLookup(RandomSixSideDie(), RandomSixSideDie());\n this.LookupDescription(GetEventKey());\n this.LookUpLength(GetEventKey());\n } // RandomEventTable(int inEvent)\n\n public RandomEventTable(int inEvent, int sixSidedDieOne, int sixSidedDieTwo) {\n\n SetCurrentEvent(inEvent);\n\n this.KeyLookup(sixSidedDieOne, sixSidedDieTwo);\n this.LookupDescription(GetEventKey());\n this.LookUpLength(GetEventKey());\n } // RandomTable(int inEvent, int firstSixSideDie, int secondSixSideDie)\n\n public void RandomEventTableNew() {\n\n SetCurrentEvent(0);\n\n this.KeyLookup(RandomSixSideDie(), RandomSixSideDie());\n this.LookupDescription(GetEventKey());\n this.LookUpLength(GetEventKey());\n } // NewRandomEvent()\n\n public void RandomEventTableNew(int inEvent) {\n\n SetCurrentEvent(inEvent);\n\n this.KeyLookup(RandomSixSideDie(), RandomSixSideDie());\n this.LookupDescription(GetEventKey());\n this.LookUpLength(GetEventKey());\n } // NewRandomEvent(int inEvent){\n\n public void RandomEventTableNew(int inEvent, int sixSidedDieOne, int sixSidedDieTwo) {\n\n SetCurrentEvent(inEvent);\n\n this.KeyLookup(sixSidedDieOne, sixSidedDieTwo);\n this.LookupDescription(GetEventKey());\n this.LookUpLength(GetEventKey());\n } // NewRandomEvent(int inEvent, int Die1, int secondSixSideDie){\n} // class\n", "jasm_code": ".version 52 0 \n.class public super RandomEventTable \n.super java/lang/Object \n.field private eventKey I \n.field private eventLength I \n.field private eventDescription Ljava/lang/String; \n.field private currentEventKey I \n.field RandomGenerator Ljava/util/Random; \n\n.method private KeyLookup : (II)V \n .code stack 3 locals 3 \nL0: aload_0 \nL1: iload_1 \nL2: iload_2 \nL3: invokespecial Method RandomEventTable ValidaedDiceRangeForRandomEventTable (II)Z \nL6: ifeq L396 \nL9: iload_1 \nL10: tableswitch 0 \n L48 \n L110 \n L159 \n L221 \n L270 \n L332 \n default : L396 \n\n\n .stack same \nL48: iload_2 \nL49: ifne L60 \nL52: aload_0 \nL53: iconst_1 \nL54: invokespecial Method RandomEventTable SetEventKey (I)V \nL57: goto L396 \n\n .stack same \nL60: iload_2 \nL61: iconst_2 \nL62: if_icmpne L74 \nL65: aload_0 \nL66: bipush 7 \nL68: invokespecial Method RandomEventTable SetEventKey (I)V \nL71: goto L396 \n\n .stack same \nL74: iload_2 \nL75: iconst_4 \nL76: if_icmpne L88 \nL79: aload_0 \nL80: bipush 8 \nL82: invokespecial Method RandomEventTable SetEventKey (I)V \nL85: goto L396 \n\n .stack same \nL88: iload_2 \nL89: iconst_5 \nL90: if_icmpne L102 \nL93: aload_0 \nL94: bipush 9 \nL96: invokespecial Method RandomEventTable SetEventKey (I)V \nL99: goto L396 \n\n .stack same \nL102: aload_0 \nL103: iconst_0 \nL104: invokespecial Method RandomEventTable SetEventKey (I)V \nL107: goto L396 \n\n .stack same \nL110: iload_2 \nL111: iconst_1 \nL112: if_icmpne L123 \nL115: aload_0 \nL116: iconst_2 \nL117: invokespecial Method RandomEventTable SetEventKey (I)V \nL120: goto L396 \n\n .stack same \nL123: iload_2 \nL124: iconst_3 \nL125: if_icmpne L137 \nL128: aload_0 \nL129: bipush 10 \nL131: invokespecial Method RandomEventTable SetEventKey (I)V \nL134: goto L396 \n\n .stack same \nL137: iload_2 \nL138: iconst_5 \nL139: if_icmpne L151 \nL142: aload_0 \nL143: bipush 11 \nL145: invokespecial Method RandomEventTable SetEventKey (I)V \nL148: goto L396 \n\n .stack same \nL151: aload_0 \nL152: iconst_0 \nL153: invokespecial Method RandomEventTable SetEventKey (I)V \nL156: goto L396 \n\n .stack same \nL159: iload_2 \nL160: ifne L172 \nL163: aload_0 \nL164: bipush 12 \nL166: invokespecial Method RandomEventTable SetEventKey (I)V \nL169: goto L396 \n\n .stack same \nL172: iload_2 \nL173: iconst_2 \nL174: if_icmpne L185 \nL177: aload_0 \nL178: iconst_3 \nL179: invokespecial Method RandomEventTable SetEventKey (I)V \nL182: goto L396 \n\n .stack same \nL185: iload_2 \nL186: iconst_4 \nL187: if_icmpne L199 \nL190: aload_0 \nL191: bipush 13 \nL193: invokespecial Method RandomEventTable SetEventKey (I)V \nL196: goto L396 \n\n .stack same \nL199: iload_2 \nL200: iconst_5 \nL201: if_icmpne L213 \nL204: aload_0 \nL205: bipush 14 \nL207: invokespecial Method RandomEventTable SetEventKey (I)V \nL210: goto L396 \n\n .stack same \nL213: aload_0 \nL214: iconst_0 \nL215: invokespecial Method RandomEventTable SetEventKey (I)V \nL218: goto L396 \n\n .stack same \nL221: iload_2 \nL222: iconst_1 \nL223: if_icmpne L235 \nL226: aload_0 \nL227: bipush 15 \nL229: invokespecial Method RandomEventTable SetEventKey (I)V \nL232: goto L396 \n\n .stack same \nL235: iload_2 \nL236: iconst_3 \nL237: if_icmpne L248 \nL240: aload_0 \nL241: iconst_4 \nL242: invokespecial Method RandomEventTable SetEventKey (I)V \nL245: goto L396 \n\n .stack same \nL248: iload_2 \nL249: iconst_5 \nL250: if_icmpne L262 \nL253: aload_0 \nL254: bipush 16 \nL256: invokespecial Method RandomEventTable SetEventKey (I)V \nL259: goto L396 \n\n .stack same \nL262: aload_0 \nL263: iconst_0 \nL264: invokespecial Method RandomEventTable SetEventKey (I)V \nL267: goto L396 \n\n .stack same \nL270: iload_2 \nL271: ifne L283 \nL274: aload_0 \nL275: bipush 17 \nL277: invokespecial Method RandomEventTable SetEventKey (I)V \nL280: goto L396 \n\n .stack same \nL283: iload_2 \nL284: iconst_2 \nL285: if_icmpne L297 \nL288: aload_0 \nL289: bipush 18 \nL291: invokespecial Method RandomEventTable SetEventKey (I)V \nL294: goto L396 \n\n .stack same \nL297: iload_2 \nL298: iconst_4 \nL299: if_icmpne L310 \nL302: aload_0 \nL303: iconst_5 \nL304: invokespecial Method RandomEventTable SetEventKey (I)V \nL307: goto L396 \n\n .stack same \nL310: iload_2 \nL311: iconst_5 \nL312: if_icmpne L324 \nL315: aload_0 \nL316: bipush 19 \nL318: invokespecial Method RandomEventTable SetEventKey (I)V \nL321: goto L396 \n\n .stack same \nL324: aload_0 \nL325: iconst_0 \nL326: invokespecial Method RandomEventTable SetEventKey (I)V \nL329: goto L396 \n\n .stack same \nL332: iload_2 \nL333: iconst_1 \nL334: if_icmpne L363 \nL337: aload_0 \nL338: invokespecial Method RandomEventTable GetCurrentEvent ()I \nL341: bipush 13 \nL343: if_icmpne L354 \nL346: aload_0 \nL347: iconst_0 \nL348: invokespecial Method RandomEventTable SetEventKey (I)V \nL351: goto L396 \n\n .stack same \nL354: aload_0 \nL355: bipush 20 \nL357: invokespecial Method RandomEventTable SetEventKey (I)V \nL360: goto L396 \n\n .stack same \nL363: iload_2 \nL364: iconst_3 \nL365: if_icmpne L377 \nL368: aload_0 \nL369: bipush 21 \nL371: invokespecial Method RandomEventTable SetEventKey (I)V \nL374: goto L396 \n\n .stack same \nL377: iload_2 \nL378: iconst_5 \nL379: if_icmpne L391 \nL382: aload_0 \nL383: bipush 6 \nL385: invokespecial Method RandomEventTable SetEventKey (I)V \nL388: goto L396 \n\n .stack same \nL391: aload_0 \nL392: iconst_0 \nL393: invokespecial Method RandomEventTable SetEventKey (I)V \n\n .stack same \nL396: return \nL397: \n .linenumbertable \n L0 24 \n L9 25 \n L48 27 \n L60 28 \n L74 29 \n L88 30 \n L102 31 \n L107 32 \n L110 35 \n L123 36 \n L137 37 \n L151 38 \n L156 39 \n L159 42 \n L172 43 \n L185 44 \n L199 45 \n L213 46 \n L218 47 \n L221 50 \n L235 51 \n L248 52 \n L262 53 \n L267 54 \n L270 57 \n L283 58 \n L297 59 \n L310 60 \n L324 61 \n L329 62 \n L332 65 \n L363 66 \n L377 67 \n L391 68 \n L396 73 \n .end linenumbertable \n .end code \n.end method \n\n.method private ValidaedDiceRangeForRandomEventTable : (II)Z \n .code stack 3 locals 3 \nL0: iload_1 \nL1: iflt L20 \nL4: iload_1 \nL5: iconst_5 \nL6: if_icmpgt L20 \nL9: iload_2 \nL10: iflt L20 \nL13: iload_2 \nL14: iconst_5 \nL15: if_icmpgt L20 \nL18: iconst_1 \nL19: ireturn \n\n .stack same \nL20: iload_1 \nL21: bipush 6 \nL23: if_icmpge L30 \nL26: iload_1 \nL27: ifge L93 \n\n .stack same \nL30: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL33: new java/lang/StringBuilder \nL36: dup \nL37: invokespecial Method java/lang/StringBuilder ()V \nL40: ldc 'Die1 has an invaled value of ' \nL42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL45: iload_1 \nL46: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL49: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL52: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL55: iload_2 \nL56: bipush 6 \nL58: if_icmpge L65 \nL61: iload_2 \nL62: ifge L128 \n\n .stack same \nL65: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL68: new java/lang/StringBuilder \nL71: dup \nL72: invokespecial Method java/lang/StringBuilder ()V \nL75: ldc 'Die2 has an invaled value of ' \nL77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL80: iload_2 \nL81: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL84: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL87: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL90: goto L128 \n\n .stack same \nL93: iload_2 \nL94: bipush 6 \nL96: if_icmpge L103 \nL99: iload_2 \nL100: ifge L128 \n\n .stack same \nL103: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL106: new java/lang/StringBuilder \nL109: dup \nL110: invokespecial Method java/lang/StringBuilder ()V \nL113: ldc 'Die2 has an invaled value of ' \nL115: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL118: iload_2 \nL119: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL122: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL125: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \n\n .stack same \nL128: iconst_0 \nL129: ireturn \nL130: \n .linenumbertable \n L0 77 \n L18 78 \n L20 80 \n L30 81 \n L55 83 \n L65 84 \n L93 87 \n L103 88 \n L128 91 \n .end linenumbertable \n .end code \n.end method \n\n.method private LookupDescription : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: invokespecial Method RandomEventTable ValidateEventKeyRange (I)Z \nL5: ifeq L310 \nL8: iload_1 \nL9: tableswitch 0 \n L112 \n L121 \n L130 \n L139 \n L148 \n L157 \n L166 \n L175 \n L184 \n L193 \n L202 \n L211 \n L220 \n L229 \n L238 \n L247 \n L256 \n L265 \n L274 \n L283 \n L292 \n L301 \n default : L310 \n\n\n .stack same_extended \nL112: aload_0 \nL113: ldc 'No random event occurs.' \nL115: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL118: goto L310 \n\n .stack same \nL121: aload_0 \nL122: ldc 'Yellow sun manna flux.' \nL124: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL127: goto L310 \n\n .stack same \nL130: aload_0 \nL131: ldc 'Yellow sun manna drought.' \nL133: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL136: goto L310 \n\n .stack same \nL139: aload_0 \nL140: ldc 'Blue sun manna flux.' \nL142: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL145: goto L310 \n\n .stack same \nL148: aload_0 \nL149: ldc 'Blue son manna drought' \nL151: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL154: goto L310 \n\n .stack same \nL157: aload_0 \nL158: ldc 'Red sun manna flux' \nL160: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL163: goto L310 \n\n .stack same \nL166: aload_0 \nL167: ldc 'Red sun manna drought.' \nL169: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL172: goto L310 \n\n .stack same \nL175: aload_0 \nL176: ldc 'Elven high holy day.' \nL178: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL181: goto L310 \n\n .stack same \nL184: aload_0 \nL185: ldc 'Season of the midnight sun.' \nL187: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL190: goto L310 \n\n .stack same \nL193: aload_0 \nL194: ldc 'Church declares a special communion as a tribute to the Emperor.' \nL196: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL199: goto L310 \n\n .stack same \nL202: aload_0 \nL203: ldc 'Dwarrows hold a folk moot.' \nL205: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL208: goto L310 \n\n .stack same \nL211: aload_0 \nL212: ldc 'Conjunction of fear.' \nL214: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL217: goto L310 \n\n .stack same \nL220: aload_0 \nL221: ldc 'Corfluite collation.' \nL223: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL226: goto L310 \n\n .stack same \nL229: aload_0 \nL230: ldc 'Drought.' \nL232: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL235: goto L310 \n\n .stack same \nL238: aload_0 \nL239: ldc 'Flooding.' \nL241: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL244: goto L310 \n\n .stack same \nL247: aload_0 \nL248: ldc 'Earthquake.' \nL250: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL253: goto L310 \n\n .stack same \nL256: aload_0 \nL257: ldc 'Windstorm.' \nL259: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL262: goto L310 \n\n .stack same \nL265: aload_0 \nL266: ldc 'Mount GreyMoore and mount Gerlod erupt.' \nL268: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL271: goto L310 \n\n .stack same \nL274: aload_0 \nL275: ldc 'The Mistral is blowing.' \nL277: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL280: goto L310 \n\n .stack same \nL283: aload_0 \nL284: ldc 'Vortex storm.' \nL286: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL289: goto L310 \n\n .stack same \nL292: aload_0 \nL293: ldc 'Killer penguin migration' \nL295: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL298: goto L310 \n\n .stack same \nL301: aload_0 \nL302: ldc 'Poisonous piranha infestation.' \nL304: invokespecial Method RandomEventTable SetEventDescription (Ljava/lang/String;)V \nL307: goto L310 \n\n .stack same \nL310: return \nL311: \n .linenumbertable \n L0 95 \n L8 96 \n L112 99 \n L118 100 \n L121 103 \n L127 104 \n L130 107 \n L136 108 \n L139 111 \n L145 112 \n L148 115 \n L154 116 \n L157 119 \n L163 120 \n L166 123 \n L172 124 \n L175 127 \n L181 128 \n L184 131 \n L190 132 \n L193 135 \n L199 136 \n L202 139 \n L208 140 \n L211 143 \n L217 144 \n L220 147 \n L226 148 \n L229 151 \n L235 152 \n L238 155 \n L244 156 \n L247 159 \n L253 160 \n L256 163 \n L262 164 \n L265 167 \n L271 168 \n L274 171 \n L280 172 \n L283 175 \n L289 176 \n L292 179 \n L298 180 \n L301 183 \n L307 184 \n L310 191 \n .end linenumbertable \n .end code \n.end method \n\n.method private ValidateEventKeyRange : (I)Z \n .code stack 3 locals 2 \nL0: iload_1 \nL1: ifge L10 \nL4: iload_1 \nL5: bipush 21 \nL7: if_icmpgt L12 \n\n .stack same \nL10: iconst_1 \nL11: ireturn \n\n .stack same \nL12: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL15: new java/lang/StringBuilder \nL18: dup \nL19: invokespecial Method java/lang/StringBuilder ()V \nL22: ldc 'EventKey has an invaled value of ' \nL24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL27: iload_1 \nL28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL34: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \nL37: iconst_0 \nL38: ireturn \nL39: \n .linenumbertable \n L0 194 \n L10 195 \n L12 197 \n L37 199 \n .end linenumbertable \n .end code \n.end method \n\n.method private LookUpLength : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: invokespecial Method RandomEventTable ValidateEventKeyRange (I)Z \nL5: ifeq L30 \nL8: iload_1 \nL9: bipush 13 \nL11: if_icmpne L22 \nL14: aload_0 \nL15: iconst_3 \nL16: invokespecial Method RandomEventTable SetEventLength (I)V \nL19: goto L55 \n\n .stack same \nL22: aload_0 \nL23: iconst_1 \nL24: invokespecial Method RandomEventTable SetEventLength (I)V \nL27: goto L55 \n\n .stack same \nL30: getstatic Field java/lang/System out Ljava/io/PrintStream; \nL33: new java/lang/StringBuilder \nL36: dup \nL37: invokespecial Method java/lang/StringBuilder ()V \nL40: ldc 'EventKey has an invaled value of ' \nL42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL45: iload_1 \nL46: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; \nL49: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL52: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V \n\n .stack same \nL55: return \nL56: \n .linenumbertable \n L0 203 \n L8 204 \n L22 205 \n L30 207 \n L55 208 \n .end linenumbertable \n .end code \n.end method \n\n.method public GetEventKey : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RandomEventTable eventKey I \nL4: ireturn \nL5: \n .linenumbertable \n L0 213 \n .end linenumbertable \n .end code \n.end method \n\n.method public GetEventLength : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RandomEventTable eventLength I \nL4: ireturn \nL5: \n .linenumbertable \n L0 219 \n .end linenumbertable \n .end code \n.end method \n\n.method public GetEventDescription : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RandomEventTable eventDescription Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 225 \n .end linenumbertable \n .end code \n.end method \n\n.method private GetCurrentEvent : ()I \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field RandomEventTable currentEventKey I \nL4: ireturn \nL5: \n .linenumbertable \n L0 230 \n .end linenumbertable \n .end code \n.end method \n\n.method private SetEventKey : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field RandomEventTable eventKey I \nL5: return \nL6: \n .linenumbertable \n L0 234 \n L5 235 \n .end linenumbertable \n .end code \n.end method \n\n.method private SetEventLength : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field RandomEventTable eventLength I \nL5: return \nL6: \n .linenumbertable \n L0 238 \n L5 239 \n .end linenumbertable \n .end code \n.end method \n\n.method private SetEventDescription : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field RandomEventTable eventDescription Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 242 \n L5 243 \n .end linenumbertable \n .end code \n.end method \n\n.method private SetCurrentEvent : (I)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: putfield Field RandomEventTable currentEventKey I \nL5: return \nL6: \n .linenumbertable \n L0 246 \n L5 247 \n .end linenumbertable \n .end code \n.end method \n\n.method public : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/Random \nL8: dup \nL9: invokespecial Method java/util/Random ()V \nL12: putfield Field RandomEventTable RandomGenerator Ljava/util/Random; \nL15: aload_0 \nL16: iconst_0 \nL17: invokespecial Method RandomEventTable SetCurrentEvent (I)V \nL20: aload_0 \nL21: aload_0 \nL22: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL25: aload_0 \nL26: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL29: invokespecial Method RandomEventTable KeyLookup (II)V \nL32: aload_0 \nL33: aload_0 \nL34: invokevirtual Method RandomEventTable GetEventKey ()I \nL37: invokespecial Method RandomEventTable LookupDescription (I)V \nL40: aload_0 \nL41: aload_0 \nL42: invokevirtual Method RandomEventTable GetEventKey ()I \nL45: invokespecial Method RandomEventTable LookUpLength (I)V \nL48: return \nL49: \n .linenumbertable \n L0 249 \n L4 20 \n L15 251 \n L20 253 \n L32 254 \n L40 255 \n L48 257 \n .end linenumbertable \n .end code \n.end method \n\n.method private RandomSixSideDie : ()I \n .code stack 2 locals 1 \nL0: aload_0 \nL1: getfield Field RandomEventTable RandomGenerator Ljava/util/Random; \nL4: bipush 6 \nL6: invokevirtual Method java/util/Random nextInt (I)I \nL9: ireturn \nL10: \n .linenumbertable \n L0 260 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/Random \nL8: dup \nL9: invokespecial Method java/util/Random ()V \nL12: putfield Field RandomEventTable RandomGenerator Ljava/util/Random; \nL15: aload_0 \nL16: iload_1 \nL17: invokespecial Method RandomEventTable SetCurrentEvent (I)V \nL20: aload_0 \nL21: aload_0 \nL22: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL25: aload_0 \nL26: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL29: invokespecial Method RandomEventTable KeyLookup (II)V \nL32: aload_0 \nL33: aload_0 \nL34: invokevirtual Method RandomEventTable GetEventKey ()I \nL37: invokespecial Method RandomEventTable LookupDescription (I)V \nL40: aload_0 \nL41: aload_0 \nL42: invokevirtual Method RandomEventTable GetEventKey ()I \nL45: invokespecial Method RandomEventTable LookUpLength (I)V \nL48: return \nL49: \n .linenumbertable \n L0 263 \n L4 20 \n L15 265 \n L20 267 \n L32 268 \n L40 269 \n L48 271 \n .end linenumbertable \n .end code \n.end method \n\n.method public : (III)V \n .code stack 3 locals 4 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: new java/util/Random \nL8: dup \nL9: invokespecial Method java/util/Random ()V \nL12: putfield Field RandomEventTable RandomGenerator Ljava/util/Random; \nL15: aload_0 \nL16: iload_1 \nL17: invokespecial Method RandomEventTable SetCurrentEvent (I)V \nL20: aload_0 \nL21: iload_2 \nL22: iload_3 \nL23: invokespecial Method RandomEventTable KeyLookup (II)V \nL26: aload_0 \nL27: aload_0 \nL28: invokevirtual Method RandomEventTable GetEventKey ()I \nL31: invokespecial Method RandomEventTable LookupDescription (I)V \nL34: aload_0 \nL35: aload_0 \nL36: invokevirtual Method RandomEventTable GetEventKey ()I \nL39: invokespecial Method RandomEventTable LookUpLength (I)V \nL42: return \nL43: \n .linenumbertable \n L0 273 \n L4 20 \n L15 275 \n L20 277 \n L26 278 \n L34 279 \n L42 281 \n .end linenumbertable \n .end code \n.end method \n\n.method public RandomEventTableNew : ()V \n .code stack 3 locals 1 \nL0: aload_0 \nL1: iconst_0 \nL2: invokespecial Method RandomEventTable SetCurrentEvent (I)V \nL5: aload_0 \nL6: aload_0 \nL7: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL10: aload_0 \nL11: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL14: invokespecial Method RandomEventTable KeyLookup (II)V \nL17: aload_0 \nL18: aload_0 \nL19: invokevirtual Method RandomEventTable GetEventKey ()I \nL22: invokespecial Method RandomEventTable LookupDescription (I)V \nL25: aload_0 \nL26: aload_0 \nL27: invokevirtual Method RandomEventTable GetEventKey ()I \nL30: invokespecial Method RandomEventTable LookUpLength (I)V \nL33: return \nL34: \n .linenumbertable \n L0 285 \n L5 287 \n L17 288 \n L25 289 \n L33 291 \n .end linenumbertable \n .end code \n.end method \n\n.method public RandomEventTableNew : (I)V \n .code stack 3 locals 2 \nL0: aload_0 \nL1: iload_1 \nL2: invokespecial Method RandomEventTable SetCurrentEvent (I)V \nL5: aload_0 \nL6: aload_0 \nL7: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL10: aload_0 \nL11: invokespecial Method RandomEventTable RandomSixSideDie ()I \nL14: invokespecial Method RandomEventTable KeyLookup (II)V \nL17: aload_0 \nL18: aload_0 \nL19: invokevirtual Method RandomEventTable GetEventKey ()I \nL22: invokespecial Method RandomEventTable LookupDescription (I)V \nL25: aload_0 \nL26: aload_0 \nL27: invokevirtual Method RandomEventTable GetEventKey ()I \nL30: invokespecial Method RandomEventTable LookUpLength (I)V \nL33: return \nL34: \n .linenumbertable \n L0 295 \n L5 297 \n L17 298 \n L25 299 \n L33 301 \n .end linenumbertable \n .end code \n.end method \n\n.method public RandomEventTableNew : (III)V \n .code stack 3 locals 4 \nL0: aload_0 \nL1: iload_1 \nL2: invokespecial Method RandomEventTable SetCurrentEvent (I)V \nL5: aload_0 \nL6: iload_2 \nL7: iload_3 \nL8: invokespecial Method RandomEventTable KeyLookup (II)V \nL11: aload_0 \nL12: aload_0 \nL13: invokevirtual Method RandomEventTable GetEventKey ()I \nL16: invokespecial Method RandomEventTable LookupDescription (I)V \nL19: aload_0 \nL20: aload_0 \nL21: invokevirtual Method RandomEventTable GetEventKey ()I \nL24: invokespecial Method RandomEventTable LookUpLength (I)V \nL27: return \nL28: \n .linenumbertable \n L0 305 \n L5 307 \n L11 308 \n L19 309 \n L27 311 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'RandomEventTable.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 16:31:09 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockRandom;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class RandomEventTable_ESTest extends RandomEventTable_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable((-17831), 0, 14976);\n randomEventTable0.RandomEventTableNew();\n randomEventTable0.RandomEventTableNew(0, (-17831), (-17831));\n randomEventTable0.RandomEventTableNew();\n randomEventTable0.RandomEventTableNew(0, 6, 10);\n randomEventTable0.GetEventLength();\n randomEventTable0.RandomEventTableNew(1, 1, (-14306));\n randomEventTable0.GetEventDescription();\n assertEquals(1, randomEventTable0.GetEventKey());\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable((-17831), 0, 14976);\n randomEventTable0.RandomEventTableNew(1, (-73739), 0);\n assertEquals(1, randomEventTable0.GetEventLength());\n assertEquals(\"No random event occurs.\", randomEventTable0.GetEventDescription());\n assertEquals(0, randomEventTable0.GetEventKey());\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable((-4216), (-30800), (-4216));\n randomEventTable0.RandomEventTableNew((-30800));\n int int0 = randomEventTable0.GetEventKey();\n assertEquals(1, int0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable((-4216), (-30800), (-4216));\n int int0 = randomEventTable0.GetEventKey();\n assertEquals(0, int0);\n assertEquals(1, randomEventTable0.GetEventLength());\n assertEquals(\"No random event occurs.\", randomEventTable0.GetEventDescription());\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable();\n randomEventTable0.RandomEventTableNew(7982, 150149, 1);\n assertEquals(\"Yellow sun manna flux.\", randomEventTable0.GetEventDescription());\n assertEquals(1, randomEventTable0.GetEventLength());\n assertEquals(1, randomEventTable0.GetEventKey());\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable();\n randomEventTable0.RandomEventTableNew((-27854), 1, 1);\n assertEquals(2, randomEventTable0.GetEventKey());\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable(4);\n randomEventTable0.RandomEventTableNew(0, 0, 4);\n assertEquals(8, randomEventTable0.GetEventKey());\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable(0);\n MockRandom mockRandom0 = new MockRandom();\n byte[] byteArray0 = new byte[7];\n mockRandom0.nextBytes(byteArray0);\n randomEventTable0.RandomEventTableNew(0);\n assertEquals(3, randomEventTable0.GetEventKey());\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable(12669, 12669, 12669);\n randomEventTable0.RandomEventTableNew(0, 1, 0);\n assertEquals(\"No random event occurs.\", randomEventTable0.GetEventDescription());\n assertEquals(1, randomEventTable0.GetEventLength());\n assertEquals(0, randomEventTable0.GetEventKey());\n }\n\n @Test(timeout = 4000)\n public void test9() throws Throwable {\n RandomEventTable randomEventTable0 = new RandomEventTable();\n assertEquals(1, randomEventTable0.GetEventKey());\n \n randomEventTable0.RandomEventTableNew((-1), 0, 1);\n assertEquals(0, randomEventTable0.GetEventKey());\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 16:31:09 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class RandomEventTable_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"RandomEventTable\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpclfplx3z\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RandomEventTable_ESTest_scaffolding.class.getClassLoader() ,\n \"RandomEventTable\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RandomEventTable_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"RandomEventTable\"\n );\n }\n}\n", "class_idx": 294} {"class_name": "BinarySearch", "java_source": "/** Created by qq65827 on 2015/2/5. */\npublic class BinarySearch {\n\n public static int binarySearch(int[] src, int i) {\n int length = src.length;\n // return binarySearch0(src, 0, length, i);\n return binarySearch1(src, 0, length, i);\n }\n\n public static int binarySearch0(int[] src, int fromIndex, int toIndex, int key) {\n int low = fromIndex;\n int high = toIndex;\n\n while (low < high) {\n int mid = (low + high) >>> 1;\n int midValue = src[mid];\n\n if (midValue < key) { // \u8bf4\u660e\u5728\u53f3\u8fb9\n low = mid + 1;\n } else if (midValue > key) {\n high = mid - 1;\n } else {\n return mid; // \u627e\u5230\n }\n }\n return -(low + 1);\n }\n\n public static int binarySearch1(int[] src, int fromIndex, int toIndex, int key) {\n int low = fromIndex;\n int high = toIndex;\n\n while (low < high) {\n int mid = (low + high) >>> 1;\n int midValue = src[mid];\n if (midValue > key) { // \u8bf4\u660e\u5728\u5de6\u4fa7\n high = mid - 1;\n } else if (midValue < key) {\n low = mid + 1;\n } else {\n return mid;\n }\n }\n return -(low + 1);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super BinarySearch \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 6 \n .end linenumbertable \n .end code \n.end method \n\n.method public static binarySearch : ([II)I \n .code stack 4 locals 3 \nL0: aload_0 \nL1: arraylength \nL2: istore_2 \nL3: aload_0 \nL4: iconst_0 \nL5: iload_2 \nL6: iload_1 \nL7: invokestatic Method BinarySearch binarySearch1 ([IIII)I \nL10: ireturn \nL11: \n .linenumbertable \n L0 9 \n L3 11 \n .end linenumbertable \n .end code \n.end method \n\n.method public static binarySearch0 : ([IIII)I \n .code stack 2 locals 8 \nL0: iload_1 \nL1: istore 4 \nL3: iload_2 \nL4: istore 5 \n\n .stack append Integer Integer \nL6: iload 4 \nL8: iload 5 \nL10: if_icmpge L64 \nL13: iload 4 \nL15: iload 5 \nL17: iadd \nL18: iconst_1 \nL19: iushr \nL20: istore 6 \nL22: aload_0 \nL23: iload 6 \nL25: iaload \nL26: istore 7 \nL28: iload 7 \nL30: iload_3 \nL31: if_icmpge L43 \nL34: iload 6 \nL36: iconst_1 \nL37: iadd \nL38: istore 4 \nL40: goto L61 \n\n .stack append Integer Integer \nL43: iload 7 \nL45: iload_3 \nL46: if_icmple L58 \nL49: iload 6 \nL51: iconst_1 \nL52: isub \nL53: istore 5 \nL55: goto L61 \n\n .stack same \nL58: iload 6 \nL60: ireturn \n\n .stack chop 2 \nL61: goto L6 \n\n .stack same \nL64: iload 4 \nL66: iconst_1 \nL67: iadd \nL68: ineg \nL69: ireturn \nL70: \n .linenumbertable \n L0 15 \n L3 16 \n L6 18 \n L13 19 \n L22 20 \n L28 22 \n L34 23 \n L43 24 \n L49 25 \n L58 27 \n L61 29 \n L64 30 \n .end linenumbertable \n .end code \n.end method \n\n.method public static binarySearch1 : ([IIII)I \n .code stack 2 locals 8 \nL0: iload_1 \nL1: istore 4 \nL3: iload_2 \nL4: istore 5 \n\n .stack append Integer Integer \nL6: iload 4 \nL8: iload 5 \nL10: if_icmpge L64 \nL13: iload 4 \nL15: iload 5 \nL17: iadd \nL18: iconst_1 \nL19: iushr \nL20: istore 6 \nL22: aload_0 \nL23: iload 6 \nL25: iaload \nL26: istore 7 \nL28: iload 7 \nL30: iload_3 \nL31: if_icmple L43 \nL34: iload 6 \nL36: iconst_1 \nL37: isub \nL38: istore 5 \nL40: goto L61 \n\n .stack append Integer Integer \nL43: iload 7 \nL45: iload_3 \nL46: if_icmpge L58 \nL49: iload 6 \nL51: iconst_1 \nL52: iadd \nL53: istore 4 \nL55: goto L61 \n\n .stack same \nL58: iload 6 \nL60: ireturn \n\n .stack chop 2 \nL61: goto L6 \n\n .stack same \nL64: iload 4 \nL66: iconst_1 \nL67: iadd \nL68: ineg \nL69: ireturn \nL70: \n .linenumbertable \n L0 34 \n L3 35 \n L6 37 \n L13 38 \n L22 39 \n L28 40 \n L34 41 \n L43 42 \n L49 43 \n L58 45 \n L61 47 \n L64 48 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'BinarySearch.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Fri Jul 01 08:37:06 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport static org.evosuite.runtime.EvoAssertions.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class BinarySearch_ESTest extends BinarySearch_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n int[] intArray0 = null;\n int int0 = (-1);\n BinarySearch.binarySearch0((int[]) null, (-1), (-55739), 3022);\n BinarySearch binarySearch0 = new BinarySearch();\n BinarySearch.binarySearch1((int[]) null, (-41077), (-41077), 0);\n int int1 = (-1);\n BinarySearch.binarySearch0((int[]) null, 1, (-1), (-1));\n BinarySearch.binarySearch0((int[]) null, 0, (-1), (-41077));\n // Undeclared exception!\n try { \n BinarySearch.binarySearch1((int[]) null, (-55739), (-1), (-1));\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"BinarySearch\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n int[] intArray0 = new int[5];\n int int0 = (-40624);\n intArray0[0] = (-40624);\n intArray0[1] = 0;\n intArray0[2] = (-1);\n intArray0[3] = (-85529);\n intArray0[4] = 0;\n int int1 = 0;\n BinarySearch.binarySearch1(intArray0, 67161, 0, 0);\n BinarySearch.binarySearch(intArray0, (-1));\n // Undeclared exception!\n try { \n BinarySearch.binarySearch1(intArray0, (-1843), 0, 40478);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 2147482726\n //\n verifyException(\"BinarySearch\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n int[] intArray0 = new int[6];\n intArray0[0] = (-20920);\n intArray0[1] = 0;\n intArray0[2] = (-42337);\n intArray0[3] = (-45063);\n intArray0[4] = 0;\n intArray0[5] = 10248;\n BinarySearch.binarySearch1(intArray0, 76350, 1, 3941);\n // Undeclared exception!\n try { \n BinarySearch.binarySearch1(intArray0, (-45063), 1821, (-1));\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 2147462027\n //\n verifyException(\"BinarySearch\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n int[] intArray0 = new int[6];\n intArray0[0] = (-711);\n intArray0[1] = 1;\n intArray0[2] = 37867;\n intArray0[3] = 0;\n intArray0[4] = 25047;\n intArray0[5] = 8309;\n int int0 = BinarySearch.binarySearch(intArray0, 1);\n assertEquals((-5), int0);\n }\n\n @Test(timeout = 4000)\n public void test4() throws Throwable {\n int[] intArray0 = null;\n int int0 = 9243;\n // Undeclared exception!\n try { \n BinarySearch.binarySearch0((int[]) null, (-87054), 9243, 9243);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"BinarySearch\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test5() throws Throwable {\n BinarySearch binarySearch0 = new BinarySearch();\n int[] intArray0 = new int[2];\n intArray0[0] = (-31333);\n intArray0[1] = (-90613);\n int int0 = BinarySearch.binarySearch1(intArray0, (-31333), (-90613), 36209);\n assertEquals(31332, int0);\n }\n\n @Test(timeout = 4000)\n public void test6() throws Throwable {\n int[] intArray0 = new int[4];\n int int0 = (-35059);\n intArray0[0] = (-35059);\n intArray0[1] = 54579;\n int int1 = 21502;\n intArray0[2] = 21502;\n intArray0[3] = 1;\n int int2 = (-3492);\n BinarySearch.binarySearch1(intArray0, 15119, (-3492), 0);\n BinarySearch binarySearch0 = new BinarySearch();\n int int3 = (-8264);\n // Undeclared exception!\n try { \n BinarySearch.binarySearch0(intArray0, (-8264), 54579, 0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 23157\n //\n verifyException(\"BinarySearch\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test7() throws Throwable {\n BinarySearch binarySearch0 = new BinarySearch();\n int[] intArray0 = null;\n int int0 = 0;\n // Undeclared exception!\n try { \n BinarySearch.binarySearch((int[]) null, 0);\n fail(\"Expecting exception: NullPointerException\");\n \n } catch(NullPointerException e) {\n //\n // no message in exception (getMessage() returned null)\n //\n verifyException(\"BinarySearch\", e);\n }\n }\n\n @Test(timeout = 4000)\n public void test8() throws Throwable {\n BinarySearch binarySearch0 = new BinarySearch();\n int[] intArray0 = new int[0];\n BinarySearch.binarySearch0(intArray0, (-38331), (-38331), 54978);\n BinarySearch.binarySearch(intArray0, 38330);\n BinarySearch.binarySearch0(intArray0, 38330, (-38331), (-120316));\n BinarySearch.binarySearch0(intArray0, 72489, 54978, (-38331));\n BinarySearch.binarySearch(intArray0, 0);\n BinarySearch.binarySearch0(intArray0, 1, (-80406), (-1));\n BinarySearch.binarySearch(intArray0, (-38331));\n BinarySearch.binarySearch(intArray0, 1);\n BinarySearch.binarySearch1(intArray0, (-1), (-80406), 13826);\n // Undeclared exception!\n try { \n BinarySearch.binarySearch0(intArray0, 0, 15414, 0);\n fail(\"Expecting exception: ArrayIndexOutOfBoundsException\");\n \n } catch(ArrayIndexOutOfBoundsException e) {\n //\n // 7707\n //\n verifyException(\"BinarySearch\", e);\n }\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Fri Jul 01 08:37:06 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class BinarySearch_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"BinarySearch\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp0l2cs_c6\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BinarySearch_ESTest_scaffolding.class.getClassLoader() ,\n \"BinarySearch\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BinarySearch_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"BinarySearch\"\n );\n }\n}\n", "class_idx": 295} {"class_name": "StringRotator", "java_source": "public class StringRotator {\n final String given;\n\n public StringRotator(String input) {\n given = input;\n }\n\n public boolean isRotationOf(String possibleRotation) {\n final String appended = given + given;\n return given.length() == possibleRotation.length() && appended.contains(possibleRotation);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super StringRotator \n.super java/lang/Object \n.field final given Ljava/lang/String; \n\n.method public : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: aload_0 \nL5: aload_1 \nL6: putfield Field StringRotator given Ljava/lang/String; \nL9: return \nL10: \n .linenumbertable \n L0 6 \n L4 7 \n L9 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public isRotationOf : (Ljava/lang/String;)Z \n .code stack 2 locals 3 \nL0: new java/lang/StringBuilder \nL3: dup \nL4: invokespecial Method java/lang/StringBuilder ()V \nL7: aload_0 \nL8: getfield Field StringRotator given Ljava/lang/String; \nL11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL14: aload_0 \nL15: getfield Field StringRotator given Ljava/lang/String; \nL18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; \nL21: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; \nL24: astore_2 \nL25: aload_0 \nL26: getfield Field StringRotator given Ljava/lang/String; \nL29: invokevirtual Method java/lang/String length ()I \nL32: aload_1 \nL33: invokevirtual Method java/lang/String length ()I \nL36: if_icmpne L51 \nL39: aload_2 \nL40: aload_1 \nL41: invokevirtual Method java/lang/String contains (Ljava/lang/CharSequence;)Z \nL44: ifeq L51 \nL47: iconst_1 \nL48: goto L52 \n\n .stack append Object java/lang/String \nL51: iconst_0 \n\n .stack stack_1 Integer \nL52: ireturn \nL53: \n .linenumbertable \n L0 11 \n L25 12 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'StringRotator.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sun Jul 03 18:12:41 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class StringRotator_ESTest extends StringRotator_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n StringRotator stringRotator0 = new StringRotator(\"(e&/-\");\n boolean boolean0 = stringRotator0.isRotationOf(\"\");\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n StringRotator stringRotator0 = new StringRotator(\"P\");\n boolean boolean0 = stringRotator0.isRotationOf(\"7\");\n assertFalse(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test2() throws Throwable {\n StringRotator stringRotator0 = new StringRotator(\"\");\n boolean boolean0 = stringRotator0.isRotationOf(\"\");\n assertTrue(boolean0);\n }\n\n @Test(timeout = 4000)\n public void test3() throws Throwable {\n StringRotator stringRotator0 = new StringRotator(\"\");\n boolean boolean0 = stringRotator0.isRotationOf(\"StringRotator\");\n assertFalse(boolean0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sun Jul 03 18:12:41 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class StringRotator_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"StringRotator\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmphcbagdms\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StringRotator_ESTest_scaffolding.class.getClassLoader() ,\n \"StringRotator\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StringRotator_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"StringRotator\"\n );\n }\n}\n", "class_idx": 296} {"class_name": "InterfaceInherit", "java_source": "public class InterfaceInherit {}\n\ninterface MyInterface1 {\n\n default void test(String str) {\n System.out.println(\"MyInterface1 \" + str);\n }\n}\n\ninterface MyInferface2 {\n\n default void test(String str) {\n System.out.println(\"MyInterface2 \" + str);\n }\n}\n\ninterface SubInterface extends MyInterface1, MyInferface2 {\n\n @Override\n default void test(String str) {\n MyInferface2.super.test(str);\n }\n}\n\nclass SubClass implements MyInterface1, MyInferface2 {\n\n @Override\n public void test(String str) {\n MyInterface1.super.test(str);\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super InterfaceInherit \n.super java/lang/Object \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 3 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'InterfaceInherit.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 08:00:24 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class InterfaceInherit_ESTest extends InterfaceInherit_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n InterfaceInherit interfaceInherit0 = new InterfaceInherit();\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 08:00:24 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class InterfaceInherit_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"InterfaceInherit\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmp6s19iljm\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InterfaceInherit_ESTest_scaffolding.class.getClassLoader() ,\n \"InterfaceInherit\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InterfaceInherit_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"InterfaceInherit\"\n );\n }\n}\n", "class_idx": 297} {"class_name": "Employee", "java_source": "import java.util.Date;\n\n/** Created by pengshu on 2016/11/7. */\npublic class Employee {\n private Integer empId;\n private String name;\n private String sex;\n private Integer age;\n private Date createDate;\n\n public String getSex() {\n return sex;\n }\n\n public void setSex(String sex) {\n this.sex = sex;\n }\n\n public Date getCreateDate() {\n return createDate;\n }\n\n public void setCreateDate(Date createDate) {\n this.createDate = createDate;\n }\n\n public Integer getEmpId() {\n return empId;\n }\n\n public void setEmpId(Integer empId) {\n this.empId = empId;\n }\n\n public String getName() {\n return name;\n }\n\n public void setName(String name) {\n this.name = name;\n }\n\n public Integer getAge() {\n return age;\n }\n\n public void setAge(Integer age) {\n this.age = age;\n }\n}\n", "jasm_code": ".version 52 0 \n.class public super Employee \n.super java/lang/Object \n.field private empId Ljava/lang/Integer; \n.field private name Ljava/lang/String; \n.field private sex Ljava/lang/String; \n.field private age Ljava/lang/Integer; \n.field private createDate Ljava/util/Date; \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 8 \n .end linenumbertable \n .end code \n.end method \n\n.method public getSex : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Employee sex Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 16 \n .end linenumbertable \n .end code \n.end method \n\n.method public setSex : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Employee sex Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 20 \n L5 21 \n .end linenumbertable \n .end code \n.end method \n\n.method public getCreateDate : ()Ljava/util/Date; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Employee createDate Ljava/util/Date; \nL4: areturn \nL5: \n .linenumbertable \n L0 24 \n .end linenumbertable \n .end code \n.end method \n\n.method public setCreateDate : (Ljava/util/Date;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Employee createDate Ljava/util/Date; \nL5: return \nL6: \n .linenumbertable \n L0 28 \n L5 29 \n .end linenumbertable \n .end code \n.end method \n\n.method public getEmpId : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Employee empId Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 32 \n .end linenumbertable \n .end code \n.end method \n\n.method public setEmpId : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Employee empId Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 36 \n L5 37 \n .end linenumbertable \n .end code \n.end method \n\n.method public getName : ()Ljava/lang/String; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Employee name Ljava/lang/String; \nL4: areturn \nL5: \n .linenumbertable \n L0 40 \n .end linenumbertable \n .end code \n.end method \n\n.method public setName : (Ljava/lang/String;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Employee name Ljava/lang/String; \nL5: return \nL6: \n .linenumbertable \n L0 45 \n L5 46 \n .end linenumbertable \n .end code \n.end method \n\n.method public getAge : ()Ljava/lang/Integer; \n .code stack 1 locals 1 \nL0: aload_0 \nL1: getfield Field Employee age Ljava/lang/Integer; \nL4: areturn \nL5: \n .linenumbertable \n L0 49 \n .end linenumbertable \n .end code \n.end method \n\n.method public setAge : (Ljava/lang/Integer;)V \n .code stack 2 locals 2 \nL0: aload_0 \nL1: aload_1 \nL2: putfield Field Employee age Ljava/lang/Integer; \nL5: return \nL6: \n .linenumbertable \n L0 53 \n L5 54 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Employee.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Mon Jul 04 16:47:52 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport java.util.Date;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.evosuite.runtime.mock.java.util.MockDate;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Employee_ESTest extends Employee_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test00() throws Throwable {\n Employee employee0 = new Employee();\n employee0.setSex(\"yD,b>[_Jlz_ \");\n String string0 = employee0.getSex();\n assertEquals(\"yD,b>[_Jlz_ \", string0);\n }\n\n @Test(timeout = 4000)\n public void test01() throws Throwable {\n Employee employee0 = new Employee();\n employee0.setSex(\"\");\n String string0 = employee0.getSex();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test02() throws Throwable {\n Employee employee0 = new Employee();\n employee0.setName(\"$bz+n5|t#n6gn\\\"j\");\n String string0 = employee0.getName();\n assertEquals(\"$bz+n5|t#n6gn\\\"j\", string0);\n }\n\n @Test(timeout = 4000)\n public void test03() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = new Integer(0);\n employee0.setEmpId(integer0);\n Integer integer1 = employee0.getEmpId();\n assertEquals(0, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test04() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = new Integer(1);\n employee0.setEmpId(integer0);\n Integer integer1 = employee0.getEmpId();\n assertEquals(1, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test05() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = new Integer((-1));\n employee0.setEmpId(integer0);\n Integer integer1 = employee0.getEmpId();\n assertEquals((-1), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test06() throws Throwable {\n Employee employee0 = new Employee();\n MockDate mockDate0 = new MockDate();\n employee0.setCreateDate(mockDate0);\n Date date0 = employee0.getCreateDate();\n assertEquals(\"Fri Feb 14 20:21:21 GMT 2014\", date0.toString());\n }\n\n @Test(timeout = 4000)\n public void test07() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = new Integer(1);\n employee0.setAge(integer0);\n Integer integer1 = employee0.getAge();\n assertEquals(1, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test08() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = new Integer((-1));\n employee0.setAge(integer0);\n Integer integer1 = employee0.getAge();\n assertEquals((-1), (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test09() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = employee0.getAge();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test10() throws Throwable {\n Employee employee0 = new Employee();\n Date date0 = employee0.getCreateDate();\n assertNull(date0);\n }\n\n @Test(timeout = 4000)\n public void test11() throws Throwable {\n Employee employee0 = new Employee();\n String string0 = employee0.getSex();\n assertNull(string0);\n }\n\n @Test(timeout = 4000)\n public void test12() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = employee0.getEmpId();\n assertNull(integer0);\n }\n\n @Test(timeout = 4000)\n public void test13() throws Throwable {\n Employee employee0 = new Employee();\n employee0.setName(\"\");\n String string0 = employee0.getName();\n assertEquals(\"\", string0);\n }\n\n @Test(timeout = 4000)\n public void test14() throws Throwable {\n Employee employee0 = new Employee();\n Integer integer0 = new Integer(0);\n employee0.setAge(integer0);\n Integer integer1 = employee0.getAge();\n assertEquals(0, (int)integer1);\n }\n\n @Test(timeout = 4000)\n public void test15() throws Throwable {\n Employee employee0 = new Employee();\n String string0 = employee0.getName();\n assertNull(string0);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Mon Jul 04 16:47:52 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Employee_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Employee\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpoi9zfjp8\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Employee_ESTest_scaffolding.class.getClassLoader() ,\n \"Employee\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Employee_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Employee\"\n );\n }\n}\n", "class_idx": 298} {"class_name": "Person", "java_source": "/*\n\u0427\u0435\u043b\u043e\u0432\u0435\u0447\u043a\u0438\n*/\n\npublic class Person {\n String name;\n int age;\n String address;\n char sex;\n\n public static void main(String[] args) {}\n}\n", "jasm_code": ".version 52 0 \n.class public super Person \n.super java/lang/Object \n.field name Ljava/lang/String; \n.field age I \n.field address Ljava/lang/String; \n.field sex C \n\n.method public : ()V \n .code stack 1 locals 1 \nL0: aload_0 \nL1: invokespecial Method java/lang/Object ()V \nL4: return \nL5: \n .linenumbertable \n L0 7 \n .end linenumbertable \n .end code \n.end method \n\n.method public static main : ([Ljava/lang/String;)V \n .code stack 0 locals 1 \nL0: return \nL1: \n .linenumbertable \n L0 15 \n .end linenumbertable \n .end code \n.end method \n.sourcefile 'Person.java' \n.end class \n", "java_test": "/*\n * This file was automatically generated by EvoSuite\n * Sat Jul 02 04:13:03 GMT 2022\n */\n\n\nimport org.junit.Test;\nimport static org.junit.Assert.*;\nimport org.evosuite.runtime.EvoRunner;\nimport org.evosuite.runtime.EvoRunnerParameters;\nimport org.junit.runner.RunWith;\n\n@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) \npublic class Person_ESTest extends Person_ESTest_scaffolding {\n\n @Test(timeout = 4000)\n public void test0() throws Throwable {\n Person person0 = new Person();\n }\n\n @Test(timeout = 4000)\n public void test1() throws Throwable {\n String[] stringArray0 = new String[2];\n Person.main(stringArray0);\n assertEquals(2, stringArray0.length);\n }\n}\n", "java_scaffold": "/**\n * Scaffolding file used to store all the setups needed to run \n * tests automatically generated by EvoSuite\n * Sat Jul 02 04:13:03 GMT 2022\n */\n\n\nimport org.evosuite.runtime.annotation.EvoSuiteClassExclude;\nimport org.junit.BeforeClass;\nimport org.junit.Before;\nimport org.junit.After;\nimport org.junit.AfterClass;\nimport org.evosuite.runtime.sandbox.Sandbox;\nimport org.evosuite.runtime.sandbox.Sandbox.SandboxMode;\n\n@EvoSuiteClassExclude\npublic class Person_ESTest_scaffolding {\n\n @org.junit.Rule \n public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();\n\n private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); \n\n private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);\n\n\n @BeforeClass \n public static void initEvoSuiteFramework() { \n org.evosuite.runtime.RuntimeSettings.className = \"Person\"; \n org.evosuite.runtime.GuiSupport.initialize(); \n org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; \n org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; \n org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; \n org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; \n org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); \n org.evosuite.runtime.classhandling.JDKClassResetter.init();\n setSystemProperties();\n initializeClasses();\n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n } \n\n @AfterClass \n public static void clearEvoSuiteFramework(){ \n Sandbox.resetDefaultSecurityManager(); \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n } \n\n @Before \n public void initTestCase(){ \n threadStopper.storeCurrentThreads();\n threadStopper.startRecordingTime();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); \n org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); \n setSystemProperties(); \n org.evosuite.runtime.GuiSupport.setHeadless(); \n org.evosuite.runtime.Runtime.getInstance().resetRuntime(); \n org.evosuite.runtime.agent.InstrumentingAgent.activate(); \n } \n\n @After \n public void doneWithTestCase(){ \n threadStopper.killAndJoinClientThreads();\n org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); \n org.evosuite.runtime.classhandling.JDKClassResetter.reset(); \n resetClasses(); \n org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); \n org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); \n org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); \n } \n\n public static void setSystemProperties() {\n \n java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); \n java.lang.System.setProperty(\"file.encoding\", \"UTF-8\"); \n java.lang.System.setProperty(\"java.awt.headless\", \"true\"); \n java.lang.System.setProperty(\"java.io.tmpdir\", \"/tmp\"); \n java.lang.System.setProperty(\"user.country\", \"US\"); \n java.lang.System.setProperty(\"user.dir\", \"/tmp/tmpurlld36w\"); \n java.lang.System.setProperty(\"user.home\", \"/home/bmcdanel\"); \n java.lang.System.setProperty(\"user.language\", \"en\"); \n java.lang.System.setProperty(\"user.name\", \"bmcdanel\"); \n java.lang.System.setProperty(\"user.timezone\", \"America/New_York\"); \n }\n\n private static void initializeClasses() {\n org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Person_ESTest_scaffolding.class.getClassLoader() ,\n \"Person\"\n );\n } \n\n private static void resetClasses() {\n org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Person_ESTest_scaffolding.class.getClassLoader()); \n\n org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(\n \"Person\"\n );\n }\n}\n", "class_idx": 299}