Dataset Viewer
Auto-converted to Parquet
class_name
stringlengths
1
78
java_source
stringlengths
11
837k
jasm_code
stringlengths
237
1.46M
java_test
stringlengths
592
4.08M
java_scaffold
stringlengths
2.82k
8.12k
class_idx
int64
0
153k
ISO8601DateParser
/* * Copyright 1999,2006 The Apache Software Foundation. * * This file was taken from the Jakarta Feedparser sources and was modified * to change the * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Calendar; import java.util.Date; import java.util.GregorianCalendar; import java.util.Locale; import java.util.TimeZone; /** * ISO 8601 date parsing utility. <br> * Designed for parsing the ISO subset used in Dublin Core, RSS 1.0, and Atom. * * @author <a href="mailto:[email protected]">Kevin A. Burton (burtonator)</a> * @version $Id: ISO8601DateParser.java 373572 2006-01-30 19:28:41Z mvdb $ */ public class ISO8601DateParser { // 2004-06-14T19:GMT20:30Z // 2004-06-20T06:GMT22:01Z private static SimpleDateFormat df = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ssz", Locale.ENGLISH); /** ID to represent the 'GMT' string */ private static final String GMT_ID = "GMT"; /** The GMT timezone */ private static final TimeZone TIMEZONE_GMT = TimeZone.getTimeZone(GMT_ID); // http://www.cl.cam.ac.uk/~mgk25/iso-time.html // // http://www.intertwingly.net/wiki/pie/DateTime // // http://www.w3.org/TR/NOTE-datetime // // Different standards may need different levels of granularity in the date and // time, so this profile defines six levels. Standards that reference this // profile should specify one or more of these granularities. If a given // standard allows more than one granularity, it should specify the meaning of // the dates and times with reduced precision, for example, the result of // comparing two dates with different precisions. // The formats are as follows. Exactly the components shown here must be // present, with exactly this punctuation. Note that the "T" appears literally // in the string, to indicate the beginning of the time element, as specified in // ISO 8601. // Year: // YYYY (eg 1997) // Year and month: // YYYY-MM (eg 1997-07) // Complete date: // YYYY-MM-DD (eg 1997-07-16) // Complete date plus hours and minutes: // YYYY-MM-DDThh:mmTZD (eg 1997-07-16T19:20+01:00) // Complete date plus hours, minutes and seconds: // YYYY-MM-DDThh:mm:ssTZD (eg 1997-07-16T19:20:30+01:00) // Complete date plus hours, minutes, seconds and a decimal fraction of a // second // YYYY-MM-DDThh:mm:ss.sTZD (eg 1997-07-16T19:20:30.45+01:00) // where: // YYYY = four-digit year // MM = two-digit month (01=January, etc.) // DD = two-digit day of month (01 through 31) // hh = two digits of hour (00 through 23) (am/pm NOT allowed) // mm = two digits of minute (00 through 59) // ss = two digits of second (00 through 59) // s = one or more digits representing a decimal fraction of a second // TZD = time zone designator (Z or +hh:mm or -hh:mm) public static Date parse(String input) throws java.text.ParseException { // NOTE: SimpleDateFormat uses GMT[-+]hh:mm for the TZ which breaks // things a bit. Before we go on we have to repair this. // this is zero time so we need to add that TZ indicator for if (input.endsWith("Z")) { input = input.substring(0, input.length() - 1) + "GMT-00:00"; } else { int inset = 6; String s0 = input.substring(0, input.length() - inset); String s1 = input.substring(input.length() - inset, input.length()); input = s0 + "GMT" + s1; } return parseDate(input); } private static synchronized Date parseDate(final String input) throws ParseException { return df.parse(input); } /** * Format a date into 'yyyy-MM-ddThh:mm:ss[.sss]Z' (GMT timezone) * * @param date the date to format * @return the date formatted as 'yyyy-MM-ddThh:mm:ss[.sss]Z' */ public static String format(final Date date) { return format(date, false, TIMEZONE_GMT); } /** * Format date into yyyy-MM-ddThh:mm:ss[.sss][Z|[+-]hh:mm] * * @param date the date to format * @param millis true to include millis precision otherwise false * @param tz timezone to use for the formatting (GMT will produce 'Z') * @return the date formatted as yyyy-MM-ddThh:mm:ss[.sss][Z|[+-]hh:mm] */ public static String format(final Date date, final boolean millis, final TimeZone tz) { Calendar calendar = new GregorianCalendar(tz, Locale.US); calendar.setTime(date); // estimate capacity of buffer as close as we can (yeah, that's pedantic // ;) int capacity = "yyyy-MM-ddThh:mm:ss".length(); capacity += millis ? ".sss".length() : 0; capacity += tz.getRawOffset() == 0 ? "Z".length() : "+hh:mm".length(); StringBuilder formatted = new StringBuilder(capacity); padInt(formatted, calendar.get(Calendar.YEAR), "yyyy".length()); formatted.append('-'); padInt(formatted, calendar.get(Calendar.MONTH) + 1, "MM".length()); formatted.append('-'); padInt(formatted, calendar.get(Calendar.DAY_OF_MONTH), "dd".length()); formatted.append('T'); padInt(formatted, calendar.get(Calendar.HOUR_OF_DAY), "hh".length()); formatted.append(':'); padInt(formatted, calendar.get(Calendar.MINUTE), "mm".length()); formatted.append(':'); padInt(formatted, calendar.get(Calendar.SECOND), "ss".length()); if (millis) { formatted.append('.'); padInt(formatted, calendar.get(Calendar.MILLISECOND), "sss".length()); } int offset = tz.getOffset(calendar.getTimeInMillis()); if (offset != 0) { int hours = Math.abs((offset / (60 * 1000)) / 60); int minutes = Math.abs((offset / (60 * 1000)) % 60); formatted.append(offset < 0 ? '-' : '+'); padInt(formatted, hours, "hh".length()); formatted.append(':'); padInt(formatted, minutes, "mm".length()); } else { formatted.append('Z'); } return formatted.toString(); } /** * Zero pad a number to a specified length * * @param buffer buffer to use for padding * @param value the integer value to pad if necessary. * @param length the length of the string we should zero pad */ private static void padInt(final StringBuilder buffer, final int value, final int length) { String strValue = Integer.toString(value); for (int i = length - strValue.length(); i > 0; i--) { buffer.append('0'); } buffer.append(strValue); } public static void main(final String[] args) throws Exception { System.out.println(parse("2004-05-31T09:19:31-06:00")); System.out.println(parse("2004-06-23T17:25:31-00:00")); System.out.println(parse("2004-06-23T17:25:31Z")); // 2002-10-02T10:00:00-05:00 System.out.println("v: " + format(new Date(System.currentTimeMillis()))); System.out.println("v: " + format(new Date(1396314300000L))); } }
.version 52 0 .class public super ISO8601DateParser .super java/lang/Object .field private static df Ljava/text/SimpleDateFormat; .field private static final GMT_ID Ljava/lang/String; = 'GMT' .field private static final TIMEZONE_GMT Ljava/util/TimeZone; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 34 .end linenumbertable .end code .end method .method public static parse : (Ljava/lang/String;)Ljava/util/Date; .code stack 5 locals 4 L0: aload_0 L1: ldc 'Z' L3: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z L6: ifeq L42 L9: new java/lang/StringBuilder L12: dup L13: invokespecial Method java/lang/StringBuilder <init> ()V L16: aload_0 L17: iconst_0 L18: aload_0 L19: invokevirtual Method java/lang/String length ()I L22: iconst_1 L23: isub L24: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L30: ldc 'GMT-00:00' L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L35: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L38: astore_0 L39: goto L96 .stack same L42: bipush 6 L44: istore_1 L45: aload_0 L46: iconst_0 L47: aload_0 L48: invokevirtual Method java/lang/String length ()I L51: iload_1 L52: isub L53: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L56: astore_2 L57: aload_0 L58: aload_0 L59: invokevirtual Method java/lang/String length ()I L62: iload_1 L63: isub L64: aload_0 L65: invokevirtual Method java/lang/String length ()I L68: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L71: astore_3 L72: new java/lang/StringBuilder L75: dup L76: invokespecial Method java/lang/StringBuilder <init> ()V L79: aload_2 L80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L83: ldc 'GMT' L85: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L88: aload_3 L89: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L92: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L95: astore_0 .stack same L96: aload_0 L97: invokestatic Method ISO8601DateParser parseDate (Ljava/lang/String;)Ljava/util/Date; L100: areturn L101: .linenumbertable L0 99 L9 100 L42 102 L45 104 L57 105 L72 107 L96 110 .end linenumbertable .end code .exceptions java/text/ParseException .end method .method private static synchronized parseDate : (Ljava/lang/String;)Ljava/util/Date; .code stack 2 locals 1 L0: getstatic Field ISO8601DateParser df Ljava/text/SimpleDateFormat; L3: aload_0 L4: invokevirtual Method java/text/SimpleDateFormat parse (Ljava/lang/String;)Ljava/util/Date; L7: areturn L8: .linenumbertable L0 115 .end linenumbertable .end code .exceptions java/text/ParseException .end method .method public static format : (Ljava/util/Date;)Ljava/lang/String; .code stack 3 locals 1 L0: aload_0 L1: iconst_0 L2: getstatic Field ISO8601DateParser TIMEZONE_GMT Ljava/util/TimeZone; L5: invokestatic Method ISO8601DateParser format (Ljava/util/Date;ZLjava/util/TimeZone;)Ljava/lang/String; L8: areturn L9: .linenumbertable L0 124 .end linenumbertable .end code .end method .method public static format : (Ljava/util/Date;ZLjava/util/TimeZone;)Ljava/lang/String; .code stack 4 locals 9 L0: new java/util/GregorianCalendar L3: dup L4: aload_2 L5: getstatic Field java/util/Locale US Ljava/util/Locale; L8: invokespecial Method java/util/GregorianCalendar <init> (Ljava/util/TimeZone;Ljava/util/Locale;)V L11: astore_3 L12: aload_3 L13: aload_0 L14: invokevirtual Method java/util/Calendar setTime (Ljava/util/Date;)V L17: ldc 'yyyy-MM-ddThh:mm:ss' L19: invokevirtual Method java/lang/String length ()I L22: istore 4 L24: iload 4 L26: iload_1 L27: ifeq L38 L30: ldc '.sss' L32: invokevirtual Method java/lang/String length ()I L35: goto L39 .stack full locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer stack Integer .end stack L38: iconst_0 .stack full locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer stack Integer Integer .end stack L39: iadd L40: istore 4 L42: iload 4 L44: aload_2 L45: invokevirtual Method java/util/TimeZone getRawOffset ()I L48: ifne L59 L51: ldc 'Z' L53: invokevirtual Method java/lang/String length ()I L56: goto L64 .stack stack_1 Integer L59: ldc '+hh:mm' L61: invokevirtual Method java/lang/String length ()I .stack full locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer stack Integer Integer .end stack L64: iadd L65: istore 4 L67: new java/lang/StringBuilder L70: dup L71: iload 4 L73: invokespecial Method java/lang/StringBuilder <init> (I)V L76: astore 5 L78: aload 5 L80: aload_3 L81: iconst_1 L82: invokevirtual Method java/util/Calendar get (I)I L85: ldc 'yyyy' L87: invokevirtual Method java/lang/String length ()I L90: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L93: aload 5 L95: bipush 45 L97: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L100: pop L101: aload 5 L103: aload_3 L104: iconst_2 L105: invokevirtual Method java/util/Calendar get (I)I L108: iconst_1 L109: iadd L110: ldc 'MM' L112: invokevirtual Method java/lang/String length ()I L115: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L118: aload 5 L120: bipush 45 L122: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L125: pop L126: aload 5 L128: aload_3 L129: iconst_5 L130: invokevirtual Method java/util/Calendar get (I)I L133: ldc 'dd' L135: invokevirtual Method java/lang/String length ()I L138: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L141: aload 5 L143: bipush 84 L145: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L148: pop L149: aload 5 L151: aload_3 L152: bipush 11 L154: invokevirtual Method java/util/Calendar get (I)I L157: ldc 'hh' L159: invokevirtual Method java/lang/String length ()I L162: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L165: aload 5 L167: bipush 58 L169: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L172: pop L173: aload 5 L175: aload_3 L176: bipush 12 L178: invokevirtual Method java/util/Calendar get (I)I L181: ldc 'mm' L183: invokevirtual Method java/lang/String length ()I L186: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L189: aload 5 L191: bipush 58 L193: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L196: pop L197: aload 5 L199: aload_3 L200: bipush 13 L202: invokevirtual Method java/util/Calendar get (I)I L205: ldc 'ss' L207: invokevirtual Method java/lang/String length ()I L210: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L213: iload_1 L214: ifeq L241 L217: aload 5 L219: bipush 46 L221: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L224: pop L225: aload 5 L227: aload_3 L228: bipush 14 L230: invokevirtual Method java/util/Calendar get (I)I L233: ldc 'sss' L235: invokevirtual Method java/lang/String length ()I L238: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V .stack append Object java/lang/StringBuilder L241: aload_2 L242: aload_3 L243: invokevirtual Method java/util/Calendar getTimeInMillis ()J L246: invokevirtual Method java/util/TimeZone getOffset (J)I L249: istore 6 L251: iload 6 L253: ifeq L335 L256: iload 6 L258: ldc 60000 L260: idiv L261: bipush 60 L263: idiv L264: invokestatic Method java/lang/Math abs (I)I L267: istore 7 L269: iload 6 L271: ldc 60000 L273: idiv L274: bipush 60 L276: irem L277: invokestatic Method java/lang/Math abs (I)I L280: istore 8 L282: aload 5 L284: iload 6 L286: ifge L294 L289: bipush 45 L291: goto L296 .stack full locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer Object java/lang/StringBuilder Integer Integer Integer stack Object java/lang/StringBuilder .end stack L294: bipush 43 .stack full locals Object java/util/Date Integer Object java/util/TimeZone Object java/util/Calendar Integer Object java/lang/StringBuilder Integer Integer Integer stack Object java/lang/StringBuilder Integer .end stack L296: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L299: pop L300: aload 5 L302: iload 7 L304: ldc 'hh' L306: invokevirtual Method java/lang/String length ()I L309: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L312: aload 5 L314: bipush 58 L316: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L319: pop L320: aload 5 L322: iload 8 L324: ldc 'mm' L326: invokevirtual Method java/lang/String length ()I L329: invokestatic Method ISO8601DateParser padInt (Ljava/lang/StringBuilder;II)V L332: goto L343 .stack chop 2 L335: aload 5 L337: bipush 90 L339: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L342: pop .stack same L343: aload 5 L345: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L348: areturn L349: .linenumbertable L0 135 L12 136 L17 140 L24 141 L42 142 L67 143 L78 145 L93 146 L101 147 L118 148 L126 149 L141 150 L149 151 L165 152 L173 153 L189 154 L197 155 L213 156 L217 157 L225 158 L241 161 L251 162 L256 163 L269 164 L282 165 L300 166 L312 167 L320 168 L332 169 L335 170 L343 173 .end linenumbertable .end code .end method .method private static padInt : (Ljava/lang/StringBuilder;II)V .code stack 2 locals 5 L0: iload_1 L1: invokestatic Method java/lang/Integer toString (I)Ljava/lang/String; L4: astore_3 L5: iload_2 L6: aload_3 L7: invokevirtual Method java/lang/String length ()I L10: isub L11: istore 4 .stack append Object java/lang/String Integer L13: iload 4 L15: ifle L31 L18: aload_0 L19: bipush 48 L21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L24: pop L25: iinc 4 -1 L28: goto L13 .stack chop 1 L31: aload_0 L32: aload_3 L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: pop L37: return L38: .linenumbertable L0 183 L5 184 L18 185 L25 184 L31 187 L37 188 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 6 locals 1 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: ldc '2004-05-31T09:19:31-06:00' L5: invokestatic Method ISO8601DateParser parse (Ljava/lang/String;)Ljava/util/Date; L8: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L11: getstatic Field java/lang/System out Ljava/io/PrintStream; L14: ldc '2004-06-23T17:25:31-00:00' L16: invokestatic Method ISO8601DateParser parse (Ljava/lang/String;)Ljava/util/Date; L19: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L22: getstatic Field java/lang/System out Ljava/io/PrintStream; L25: ldc '2004-06-23T17:25:31Z' L27: invokestatic Method ISO8601DateParser parse (Ljava/lang/String;)Ljava/util/Date; L30: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V L33: getstatic Field java/lang/System out Ljava/io/PrintStream; L36: new java/lang/StringBuilder L39: dup L40: invokespecial Method java/lang/StringBuilder <init> ()V L43: ldc 'v: ' L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L48: new java/util/Date L51: dup L52: invokestatic Method java/lang/System currentTimeMillis ()J L55: invokespecial Method java/util/Date <init> (J)V L58: invokestatic Method ISO8601DateParser format (Ljava/util/Date;)Ljava/lang/String; L61: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L64: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L67: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L70: getstatic Field java/lang/System out Ljava/io/PrintStream; L73: new java/lang/StringBuilder L76: dup L77: invokespecial Method java/lang/StringBuilder <init> ()V L80: ldc 'v: ' L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L85: new java/util/Date L88: dup L89: ldc2_w 1396314300000L L92: invokespecial Method java/util/Date <init> (J)V L95: invokestatic Method ISO8601DateParser format (Ljava/util/Date;)Ljava/lang/String; L98: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L101: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L104: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L107: return L108: .linenumbertable L0 192 L11 193 L22 194 L33 197 L70 198 L107 199 .end linenumbertable .end code .exceptions java/lang/Exception .end method .method static <clinit> : ()V .code stack 4 locals 0 L0: new java/text/SimpleDateFormat L3: dup L4: ldc "yyyy-MM-dd'T'HH:mm:ssz" L6: getstatic Field java/util/Locale ENGLISH Ljava/util/Locale; L9: invokespecial Method java/text/SimpleDateFormat <init> (Ljava/lang/String;Ljava/util/Locale;)V L12: putstatic Field ISO8601DateParser df Ljava/text/SimpleDateFormat; L15: ldc 'GMT' L17: invokestatic Method java/util/TimeZone getTimeZone (Ljava/lang/String;)Ljava/util/TimeZone; L20: putstatic Field ISO8601DateParser TIMEZONE_GMT Ljava/util/TimeZone; L23: return L24: .linenumbertable L0 39 L15 49 .end linenumbertable .end code .end method .sourcefile 'ISO8601DateParser.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:08:37 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.text.ParseException; import java.time.ZoneId; import java.time.ZoneOffset; import java.util.Date; import java.util.TimeZone; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.util.MockDate; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ISO8601DateParser_ESTest extends ISO8601DateParser_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { try { ISO8601DateParser.parse("44323-09-10T21:43:00.000Z"); fail("Expecting exception: ParseException"); } catch(ParseException e) { // // Unparseable date: \"44323-09-10T21:43:00.000GMT-00:00\" // verifyException("java.text.DateFormat", e); } } @Test(timeout = 4000) public void test1() throws Throwable { MockDate mockDate0 = new MockDate((-42557), (-42557), (-42557), (-11317), (-42557)); TimeZone timeZone0 = TimeZone.getDefault(); ZoneOffset zoneOffset0 = ZoneOffset.MAX; Object object0 = new Object(); zoneOffset0.equals(object0); TimeZone.getTimeZone((ZoneId) zoneOffset0); timeZone0.setRawOffset((-42557)); ISO8601DateParser.format((Date) mockDate0, true, timeZone0); try { ISO8601DateParser.parse("44323-09-10T21:43:00.000Z"); fail("Expecting exception: ParseException"); } catch(ParseException e) { // // Unparseable date: \"44323-09-10T21:43:00.000GMT-00:00\" // verifyException("java.text.DateFormat", e); } } @Test(timeout = 4000) public void test2() throws Throwable { MockDate mockDate0 = new MockDate(0, 7737, 7737, 7737, 0); ZoneOffset zoneOffset0 = ZoneOffset.ofTotalSeconds(7737); TimeZone timeZone0 = TimeZone.getTimeZone((ZoneId) zoneOffset0); String string0 = ISO8601DateParser.format((Date) mockDate0, false, timeZone0); assertEquals("2566-10-24T09:00:00Z", string0); } @Test(timeout = 4000) public void test3() throws Throwable { // Undeclared exception! try { ISO8601DateParser.parse(">_I5"); fail("Expecting exception: StringIndexOutOfBoundsException"); } catch(StringIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test4() throws Throwable { Date date0 = ISO8601DateParser.parse("2566-10-24T09:00:00Z"); assertEquals("Fri Feb 14 20:21:21 GMT 2014", date0.toString()); } @Test(timeout = 4000) public void test5() throws Throwable { MockDate mockDate0 = new MockDate(0, 7737, 7737, 7737, 0); String string0 = ISO8601DateParser.format((Date) mockDate0); assertEquals("2566-10-24T09:00:00Z", string0); } @Test(timeout = 4000) public void test6() throws Throwable { MockDate mockDate0 = new MockDate(); TimeZone timeZone0 = TimeZone.getTimeZone("7J"); String string0 = ISO8601DateParser.format((Date) mockDate0, true, timeZone0); assertEquals("2014-02-14T20:21:21.320Z", string0); } @Test(timeout = 4000) public void test7() throws Throwable { ISO8601DateParser iSO8601DateParser0 = new ISO8601DateParser(); } @Test(timeout = 4000) public void test8() throws Throwable { String[] stringArray0 = new String[8]; ISO8601DateParser.main(stringArray0); Date date0 = ISO8601DateParser.parse("2566-10-24T09:00:00Z"); assertEquals("Fri Feb 14 20:21:21 GMT 2014", date0.toString()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:08:37 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class ISO8601DateParser_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ISO8601DateParser"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpuw73r2e7"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ISO8601DateParser_ESTest_scaffolding.class.getClassLoader() , "ISO8601DateParser" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ISO8601DateParser_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ISO8601DateParser" ); } }
0
TimeStat
/* * RealmSpeak is the Java application for playing the board game Magic Realm. * Copyright (c) 2005-2015 Robin Warren * E-mail: [email protected] * * This program is free software: you can redistribute it and/or modify it under the terms of the * GNU General Public License as published by the Free Software Foundation, either version 3 of the License, * or (at your option) any later version. * * This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the * implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License * for more details. * * You should have received a copy of the GNU General Public License along with this program. If not, see * * http://www.gnu.org/licenses/ */ import java.sql.*; import java.util.*; public class TimeStat { // private static final long NANOS_PER_MILLISECOND = 1000000l; /** Hash that holds a single start time for any single key */ private Hashtable starts = new Hashtable(); /** Hash that holds all the measurement (duration) times for any single key */ private Hashtable times = new Hashtable(); /** Sole constructor */ public TimeStat() { reset(); } /** Resets all measurements by deleting all times. */ public void reset() { starts = new Hashtable(); times = new Hashtable(); } /** * Marks the start time for a given measurement, identified by a key. Any previous start time in * the hash is overwritten. */ public void markStartTime(String key) { starts.put(key, new Timestamp((new java.util.Date()).getTime())); } /** * Marks the end time for a given measurement, identified by a key. This method enters a new * measurement, and deletes the reference in the start time hash. If there is no corresponding * start time, nothing happens. */ public void markEndTime(String key) { Timestamp end = new Timestamp((new java.util.Date()).getTime()); Timestamp start = (Timestamp) starts.get(key); if (start != null) { starts.remove(key); long endMs = end.getTime(); // + (long)end.getNanos()/NANOS_PER_MILLISECOND; long startMs = start.getTime(); // + (long)start.getNanos()/NANOS_PER_MILLISECOND; long diff = endMs - startMs; // if (startMs>endMs) { // System.out.print(start.getTime()+"+"); // System.out.println(start.getNanos()/NANOS_PER_MILLISECOND); // System.out.print(end.getTime()+"+"); // System.out.println(end.getNanos()/NANOS_PER_MILLISECOND); // System.out.println(diff); // throw new IllegalStateException("Aggghh! "+start+" and "+end); // } ArrayList all = (ArrayList) times.get(key); if (all == null) { all = new ArrayList(); times.put(key, all); } all.add(new Long(diff)); } } /** Returns a summary of all keys, and their timed averages. */ public String getAverageSummary() { StringBuffer sb = new StringBuffer("Average Summary:\n\n"); for (Enumeration e = times.keys(); e.hasMoreElements(); ) { String key = (String) e.nextElement(); double avgmSec = getAverageMilliseconds(key); sb.append( " " + key + " averaged " + avgmSec + " milliseconds. (" + getTotalMeasurements(key) + " total measurements)\n"); } sb.append("\n"); return sb.toString(); } /** Returns an Enumeration of all keys used for measurements. */ public Enumeration keys() { return times.keys(); } /** Returns the total number of measurements for a given key. */ public int getTotalMeasurements(String key) { ArrayList all = (ArrayList) times.get(key); if (all != null) { return all.size(); } return 0; } /** * Returns the average number of milliseconds for all start/end measurements for the provided key */ public double getAverageMilliseconds(String key) { ArrayList all = (ArrayList) times.get(key); if (all != null) { long total = 0; for (Iterator i = all.iterator(); i.hasNext(); ) { Long msec = (Long) i.next(); total += msec.longValue(); } return ((double) total / (double) all.size()); } return 0.0; } /** * Returns the total number of milliseconds for all start/end measurements for the provided key */ public double getTotalMilliseconds(String key) { ArrayList all = (ArrayList) times.get(key); if (all != null) { long total = 0; for (Iterator i = all.iterator(); i.hasNext(); ) { Long msec = (Long) i.next(); total += msec.longValue(); } return (double) total; } return 0.0; } }
.version 52 0 .class public super TimeStat .super java/lang/Object .field private starts Ljava/util/Hashtable; .field private times Ljava/util/Hashtable; .method public <init> : ()V .code stack 3 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: new java/util/Hashtable L8: dup L9: invokespecial Method java/util/Hashtable <init> ()V L12: putfield Field TimeStat starts Ljava/util/Hashtable; L15: aload_0 L16: new java/util/Hashtable L19: dup L20: invokespecial Method java/util/Hashtable <init> ()V L23: putfield Field TimeStat times Ljava/util/Hashtable; L26: aload_0 L27: invokevirtual Method TimeStat reset ()V L30: return L31: .linenumbertable L0 36 L4 28 L15 31 L26 37 L30 38 .end linenumbertable .end code .end method .method public reset : ()V .code stack 3 locals 1 L0: aload_0 L1: new java/util/Hashtable L4: dup L5: invokespecial Method java/util/Hashtable <init> ()V L8: putfield Field TimeStat starts Ljava/util/Hashtable; L11: aload_0 L12: new java/util/Hashtable L15: dup L16: invokespecial Method java/util/Hashtable <init> ()V L19: putfield Field TimeStat times Ljava/util/Hashtable; L22: return L23: .linenumbertable L0 44 L11 45 L22 46 .end linenumbertable .end code .end method .method public markStartTime : (Ljava/lang/String;)V .code stack 6 locals 2 L0: aload_0 L1: getfield Field TimeStat starts Ljava/util/Hashtable; L4: aload_1 L5: new java/sql/Timestamp L8: dup L9: new java/util/Date L12: dup L13: invokespecial Method java/util/Date <init> ()V L16: invokevirtual Method java/util/Date getTime ()J L19: invokespecial Method java/sql/Timestamp <init> (J)V L22: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; L25: pop L26: return L27: .linenumbertable L0 53 L26 54 .end linenumbertable .end code .end method .method public markEndTime : (Ljava/lang/String;)V .code stack 5 locals 11 L0: new java/sql/Timestamp L3: dup L4: new java/util/Date L7: dup L8: invokespecial Method java/util/Date <init> ()V L11: invokevirtual Method java/util/Date getTime ()J L14: invokespecial Method java/sql/Timestamp <init> (J)V L17: astore_2 L18: aload_0 L19: getfield Field TimeStat starts Ljava/util/Hashtable; L22: aload_1 L23: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; L26: checkcast java/sql/Timestamp L29: astore_3 L30: aload_3 L31: ifnull L115 L34: aload_0 L35: getfield Field TimeStat starts Ljava/util/Hashtable; L38: aload_1 L39: invokevirtual Method java/util/Hashtable remove (Ljava/lang/Object;)Ljava/lang/Object; L42: pop L43: aload_2 L44: invokevirtual Method java/sql/Timestamp getTime ()J L47: lstore 4 L49: aload_3 L50: invokevirtual Method java/sql/Timestamp getTime ()J L53: lstore 6 L55: lload 4 L57: lload 6 L59: lsub L60: lstore 8 L62: aload_0 L63: getfield Field TimeStat times Ljava/util/Hashtable; L66: aload_1 L67: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; L70: checkcast java/util/ArrayList L73: astore 10 L75: aload 10 L77: ifnonnull L100 L80: new java/util/ArrayList L83: dup L84: invokespecial Method java/util/ArrayList <init> ()V L87: astore 10 L89: aload_0 L90: getfield Field TimeStat times Ljava/util/Hashtable; L93: aload_1 L94: aload 10 L96: invokevirtual Method java/util/Hashtable put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; L99: pop .stack full locals Object TimeStat Object java/lang/String Object java/sql/Timestamp Object java/sql/Timestamp Long Long Long Object java/util/ArrayList stack .end stack L100: aload 10 L102: new java/lang/Long L105: dup L106: lload 8 L108: invokespecial Method java/lang/Long <init> (J)V L111: invokevirtual Method java/util/ArrayList add (Ljava/lang/Object;)Z L114: pop .stack full locals Object TimeStat Object java/lang/String Object java/sql/Timestamp Object java/sql/Timestamp stack .end stack L115: return L116: .linenumbertable L0 62 L18 63 L30 64 L34 65 L43 66 L49 67 L55 68 L62 77 L75 78 L80 79 L89 80 L100 82 L115 84 .end linenumbertable .end code .end method .method public getAverageSummary : ()Ljava/lang/String; .code stack 4 locals 6 L0: new java/lang/StringBuffer L3: dup L4: ldc 'Average Summary:\n\n' L6: invokespecial Method java/lang/StringBuffer <init> (Ljava/lang/String;)V L9: astore_1 L10: aload_0 L11: getfield Field TimeStat times Ljava/util/Hashtable; L14: invokevirtual Method java/util/Hashtable keys ()Ljava/util/Enumeration; L17: astore_2 .stack append Object java/lang/StringBuffer Object java/util/Enumeration L18: aload_2 L19: invokeinterface InterfaceMethod java/util/Enumeration hasMoreElements ()Z 1 L24: ifeq L99 L27: aload_2 L28: invokeinterface InterfaceMethod java/util/Enumeration nextElement ()Ljava/lang/Object; 1 L33: checkcast java/lang/String L36: astore_3 L37: aload_0 L38: aload_3 L39: invokevirtual Method TimeStat getAverageMilliseconds (Ljava/lang/String;)D L42: dstore 4 L44: aload_1 L45: new java/lang/StringBuilder L48: dup L49: invokespecial Method java/lang/StringBuilder <init> ()V L52: ldc ' ' L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L57: aload_3 L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L61: ldc ' averaged ' L63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L66: dload 4 L68: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; L71: ldc ' milliseconds. (' L73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L76: aload_0 L77: aload_3 L78: invokevirtual Method TimeStat getTotalMeasurements (Ljava/lang/String;)I L81: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L84: ldc ' total measurements)\n' L86: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L89: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L92: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L95: pop L96: goto L18 .stack chop 1 L99: aload_1 L100: ldc '\n' L102: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L105: pop L106: aload_1 L107: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L110: areturn L111: .linenumbertable L0 90 L10 91 L27 92 L37 93 L44 94 L96 95 L99 96 L106 97 .end linenumbertable .end code .end method .method public keys : ()Ljava/util/Enumeration; .code stack 1 locals 1 L0: aload_0 L1: getfield Field TimeStat times Ljava/util/Hashtable; L4: invokevirtual Method java/util/Hashtable keys ()Ljava/util/Enumeration; L7: areturn L8: .linenumbertable L0 104 .end linenumbertable .end code .end method .method public getTotalMeasurements : (Ljava/lang/String;)I .code stack 2 locals 3 L0: aload_0 L1: getfield Field TimeStat times Ljava/util/Hashtable; L4: aload_1 L5: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; L8: checkcast java/util/ArrayList L11: astore_2 L12: aload_2 L13: ifnull L21 L16: aload_2 L17: invokevirtual Method java/util/ArrayList size ()I L20: ireturn .stack append Object java/util/ArrayList L21: iconst_0 L22: ireturn L23: .linenumbertable L0 111 L12 112 L16 113 L21 115 .end linenumbertable .end code .end method .method public getAverageMilliseconds : (Ljava/lang/String;)D .code stack 4 locals 7 L0: aload_0 L1: getfield Field TimeStat times Ljava/util/Hashtable; L4: aload_1 L5: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; L8: checkcast java/util/ArrayList L11: astore_2 L12: aload_2 L13: ifnull L66 L16: lconst_0 L17: lstore_3 L18: aload_2 L19: invokevirtual Method java/util/ArrayList iterator ()Ljava/util/Iterator; L22: astore 5 .stack append Object java/util/ArrayList Long Object java/util/Iterator L24: aload 5 L26: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L31: ifeq L57 L34: aload 5 L36: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L41: checkcast java/lang/Long L44: astore 6 L46: lload_3 L47: aload 6 L49: invokevirtual Method java/lang/Long longValue ()J L52: ladd L53: lstore_3 L54: goto L24 .stack chop 1 L57: lload_3 L58: l2d L59: aload_2 L60: invokevirtual Method java/util/ArrayList size ()I L63: i2d L64: ddiv L65: dreturn .stack chop 1 L66: dconst_0 L67: dreturn L68: .linenumbertable L0 123 L12 124 L16 125 L18 126 L34 127 L46 128 L54 129 L57 130 L66 132 .end linenumbertable .end code .end method .method public getTotalMilliseconds : (Ljava/lang/String;)D .code stack 4 locals 7 L0: aload_0 L1: getfield Field TimeStat times Ljava/util/Hashtable; L4: aload_1 L5: invokevirtual Method java/util/Hashtable get (Ljava/lang/Object;)Ljava/lang/Object; L8: checkcast java/util/ArrayList L11: astore_2 L12: aload_2 L13: ifnull L60 L16: lconst_0 L17: lstore_3 L18: aload_2 L19: invokevirtual Method java/util/ArrayList iterator ()Ljava/util/Iterator; L22: astore 5 .stack append Object java/util/ArrayList Long Object java/util/Iterator L24: aload 5 L26: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L31: ifeq L57 L34: aload 5 L36: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L41: checkcast java/lang/Long L44: astore 6 L46: lload_3 L47: aload 6 L49: invokevirtual Method java/lang/Long longValue ()J L52: ladd L53: lstore_3 L54: goto L24 .stack chop 1 L57: lload_3 L58: l2d L59: dreturn .stack chop 1 L60: dconst_0 L61: dreturn L62: .linenumbertable L0 140 L12 141 L16 142 L18 143 L34 144 L46 145 L54 146 L57 147 L60 149 .end linenumbertable .end code .end method .sourcefile 'TimeStat.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 05:37:45 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.System; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class TimeStat_ESTest extends TimeStat_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TimeStat timeStat0 = new TimeStat(); timeStat0.markStartTime(""); timeStat0.markEndTime(""); timeStat0.markStartTime(""); timeStat0.getTotalMilliseconds(""); timeStat0.markEndTime(""); timeStat0.keys(); String string0 = timeStat0.getAverageSummary(); assertEquals("Average Summary:\n\n averaged 0.0 milliseconds. (2 total measurements)\n\n", string0); timeStat0.markEndTime(""); timeStat0.markStartTime(""); double double0 = timeStat0.getTotalMilliseconds(""); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test1() throws Throwable { System.setCurrentTimeMillis(0L); TimeStat timeStat0 = new TimeStat(); timeStat0.markStartTime("Average Summary:\n\n\n"); timeStat0.markEndTime("Average Summary:\n\n\n"); timeStat0.markEndTime("27"); String string0 = timeStat0.getAverageSummary(); assertEquals("Average Summary:\n\n Average Summary:\n\n\n averaged 0.0 milliseconds. (1 total measurements)\n\n", string0); } @Test(timeout = 4000) public void test2() throws Throwable { TimeStat timeStat0 = new TimeStat(); timeStat0.markStartTime(""); timeStat0.markEndTime(""); timeStat0.getAverageMilliseconds(""); timeStat0.getAverageSummary(); timeStat0.markStartTime(""); timeStat0.getTotalMilliseconds(""); timeStat0.markEndTime(""); timeStat0.reset(); timeStat0.keys(); timeStat0.getAverageMilliseconds(""); timeStat0.markEndTime(""); } @Test(timeout = 4000) public void test3() throws Throwable { TimeStat timeStat0 = new TimeStat(); timeStat0.markStartTime("Average Summary:\n\n\n"); timeStat0.markEndTime("Average Summary:\n\n\n"); int int0 = timeStat0.getTotalMeasurements("Average Summary:\n\n\n"); assertEquals(1, int0); } @Test(timeout = 4000) public void test4() throws Throwable { TimeStat timeStat0 = new TimeStat(); double double0 = timeStat0.getTotalMilliseconds(""); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test5() throws Throwable { TimeStat timeStat0 = new TimeStat(); int int0 = timeStat0.getTotalMeasurements("Average Summary:\n\n averaged 0.0 milliseconds. (1 total measurements)\n\n"); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 05:37:45 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class TimeStat_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "TimeStat"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpg0dy88on"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimeStat_ESTest_scaffolding.class.getClassLoader() , "TimeStat" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimeStat_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TimeStat" ); } }
1
Employee
public class Employee {}
.version 52 0 .class public super Employee .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .sourcefile 'Employee.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 22:07:37 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Employee_ESTest extends Employee_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Employee employee0 = new Employee(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 22:07:37 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Employee_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Employee"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpy_4a4uet"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Employee_ESTest_scaffolding.class.getClassLoader() , "Employee" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Employee_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Employee" ); } }
2
Constant
public class Constant { public static String LONGITUDE; public static String LATITUDE; public static String PLACENAME; }
.version 52 0 .class public super Constant .super java/lang/Object .field public static LONGITUDE Ljava/lang/String; .field public static LATITUDE Ljava/lang/String; .field public static PLACENAME Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .sourcefile 'Constant.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 04:46:49 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Constant_ESTest extends Constant_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Constant constant0 = new Constant(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 04:46:49 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Constant_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Constant"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpyq_6g27j"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Constant_ESTest_scaffolding.class.getClassLoader() , "Constant" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Constant_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Constant" ); } }
3
MD5CalculationParam
/* * Copyright 2014-2015 Christopher Weiss * <p> * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * <p> * http://www.apache.org/licenses/LICENSE-2.0 * <p> * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. **/ /** Which files should have their MD5 calculated and uploaded */ public class MD5CalculationParam { private String includeRegex; public MD5CalculationParam() {} public MD5CalculationParam(String includeRegex) { this.includeRegex = includeRegex; } public String getIncludeRegex() { return includeRegex; } public void setIncludeRegex(String includeRegex) { this.includeRegex = includeRegex; } }
.version 52 0 .class public super MD5CalculationParam .super java/lang/Object .field private includeRegex Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 25 L4 26 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field MD5CalculationParam includeRegex Ljava/lang/String; L9: return L10: .linenumbertable L0 28 L4 29 L9 30 .end linenumbertable .end code .end method .method public getIncludeRegex : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field MD5CalculationParam includeRegex Ljava/lang/String; L4: areturn L5: .linenumbertable L0 33 .end linenumbertable .end code .end method .method public setIncludeRegex : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field MD5CalculationParam includeRegex Ljava/lang/String; L5: return L6: .linenumbertable L0 37 L5 38 .end linenumbertable .end code .end method .sourcefile 'MD5CalculationParam.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 21:45:09 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class MD5CalculationParam_ESTest extends MD5CalculationParam_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam(); mD5CalculationParam0.setIncludeRegex("MD5CalculationParam"); String string0 = mD5CalculationParam0.getIncludeRegex(); assertEquals("MD5CalculationParam", string0); } @Test(timeout = 4000) public void test1() throws Throwable { MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam("2jKh?Ts"); assertEquals("2jKh?Ts", mD5CalculationParam0.getIncludeRegex()); } @Test(timeout = 4000) public void test2() throws Throwable { MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam(); String string0 = mD5CalculationParam0.getIncludeRegex(); assertNull(string0); } @Test(timeout = 4000) public void test3() throws Throwable { MD5CalculationParam mD5CalculationParam0 = new MD5CalculationParam(); mD5CalculationParam0.setIncludeRegex(""); String string0 = mD5CalculationParam0.getIncludeRegex(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 21:45:09 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class MD5CalculationParam_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "MD5CalculationParam"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmptmtnkikm"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MD5CalculationParam_ESTest_scaffolding.class.getClassLoader() , "MD5CalculationParam" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MD5CalculationParam_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MD5CalculationParam" ); } }
4
CategoryKey
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ /** * CategoryKey is a wrapper for String that apparently accellerated hash table lookup in early * JVM's. * * @author Ceki G&uuml;lc&uuml; */ class CategoryKey { String name; int hashCache; CategoryKey(String name) { this.name = name; hashCache = name.hashCode(); } public final int hashCode() { return hashCache; } public final boolean equals(Object rArg) { if (this == rArg) return true; if (rArg != null && CategoryKey.class == rArg.getClass()) return name.equals(((CategoryKey) rArg).name); else return false; } }
.version 52 0 .class super CategoryKey .super java/lang/Object .field name Ljava/lang/String; .field hashCache I .method <init> : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field CategoryKey name Ljava/lang/String; L9: aload_0 L10: aload_1 L11: invokevirtual Method java/lang/String hashCode ()I L14: putfield Field CategoryKey hashCache I L17: return L18: .linenumbertable L0 30 L4 31 L9 32 L17 33 .end linenumbertable .end code .end method .method public final hashCode : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field CategoryKey hashCache I L4: ireturn L5: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public final equals : (Ljava/lang/Object;)Z .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: if_acmpne L7 L5: iconst_1 L6: ireturn .stack same L7: aload_1 L8: ifnull L35 L11: ldc Class CategoryKey L13: aload_1 L14: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L17: if_acmpne L35 L20: aload_0 L21: getfield Field CategoryKey name Ljava/lang/String; L24: aload_1 L25: checkcast CategoryKey L28: getfield Field CategoryKey name Ljava/lang/String; L31: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L34: ireturn .stack same L35: iconst_0 L36: ireturn L37: .linenumbertable L0 44 L5 45 L7 47 L20 48 L35 50 .end linenumbertable .end code .end method .sourcefile 'CategoryKey.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 13:58:45 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class CategoryKey_ESTest extends CategoryKey_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { CategoryKey categoryKey0 = new CategoryKey("CategoryKey"); CategoryKey categoryKey1 = new CategoryKey("l.wk{A`PB!=)~"); boolean boolean0 = categoryKey0.equals(categoryKey1); assertFalse(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { CategoryKey categoryKey0 = new CategoryKey("CategoryKey"); boolean boolean0 = categoryKey0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test2() throws Throwable { CategoryKey categoryKey0 = new CategoryKey("Dd3Y"); boolean boolean0 = categoryKey0.equals(categoryKey0); assertTrue(boolean0); } @Test(timeout = 4000) public void test3() throws Throwable { CategoryKey categoryKey0 = new CategoryKey("Dd3Y"); boolean boolean0 = categoryKey0.equals("Dd3Y"); assertFalse(boolean0); } @Test(timeout = 4000) public void test4() throws Throwable { CategoryKey categoryKey0 = new CategoryKey("Dd3Y"); categoryKey0.hashCode(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 13:58:45 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class CategoryKey_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "CategoryKey"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpc_pwqek1"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CategoryKey_ESTest_scaffolding.class.getClassLoader() , "CategoryKey" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CategoryKey_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CategoryKey" ); } }
5
EncodeException
/* * Copyright (C) 2006 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ /** {@hide} */ public class EncodeException extends Exception { public EncodeException() { super(); } public EncodeException(String s) { super(s); } public EncodeException(char c) { super("Unencodable char: '" + c + "'"); } }
.version 52 0 .class public super EncodeException .super java/lang/Exception .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Exception <init> ()V L4: return L5: .linenumbertable L0 25 L4 26 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L5: return L6: .linenumbertable L0 29 L5 30 .end linenumbertable .end code .end method .method public <init> : (C)V .code stack 3 locals 2 L0: aload_0 L1: new java/lang/StringBuilder L4: dup L5: invokespecial Method java/lang/StringBuilder <init> ()V L8: ldc "Unencodable char: '" L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L13: iload_1 L14: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L17: ldc "'" L19: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L22: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L25: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L28: return L29: .linenumbertable L0 33 L28 34 .end linenumbertable .end code .end method .sourcefile 'EncodeException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 01:10:54 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class EncodeException_ESTest extends EncodeException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { EncodeException encodeException0 = new EncodeException(""); } @Test(timeout = 4000) public void test1() throws Throwable { EncodeException encodeException0 = new EncodeException(); } @Test(timeout = 4000) public void test2() throws Throwable { EncodeException encodeException0 = new EncodeException('R'); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 01:10:54 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class EncodeException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "EncodeException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpft1p2vxv"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EncodeException_ESTest_scaffolding.class.getClassLoader() , "EncodeException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EncodeException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "EncodeException" ); } }
6
Transmission
/** Created by admin on 16.08.2017. */ public class Transmission { private int id; private String name; public int getId() { return id; } public void setId(int id) { this.id = id; } public String getName() { return name; } public void setName(String name) { this.name = name; } }
.version 52 0 .class public super Transmission .super java/lang/Object .field private id I .field private name Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 6 .end linenumbertable .end code .end method .method public getId : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Transmission id I L4: ireturn L5: .linenumbertable L0 12 .end linenumbertable .end code .end method .method public setId : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Transmission id I L5: return L6: .linenumbertable L0 16 L5 17 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Transmission name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 20 .end linenumbertable .end code .end method .method public setName : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Transmission name Ljava/lang/String; L5: return L6: .linenumbertable L0 24 L5 25 .end linenumbertable .end code .end method .sourcefile 'Transmission.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 19:04:38 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Transmission_ESTest extends Transmission_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Transmission transmission0 = new Transmission(); transmission0.setName(""); String string0 = transmission0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test1() throws Throwable { Transmission transmission0 = new Transmission(); transmission0.setId((-2853)); int int0 = transmission0.getId(); assertEquals((-2853), int0); } @Test(timeout = 4000) public void test2() throws Throwable { Transmission transmission0 = new Transmission(); int int0 = transmission0.getId(); assertEquals(0, int0); } @Test(timeout = 4000) public void test3() throws Throwable { Transmission transmission0 = new Transmission(); transmission0.setName("j~iI4H~c"); String string0 = transmission0.getName(); assertEquals("j~iI4H~c", string0); } @Test(timeout = 4000) public void test4() throws Throwable { Transmission transmission0 = new Transmission(); transmission0.setId(56004); int int0 = transmission0.getId(); assertEquals(56004, int0); } @Test(timeout = 4000) public void test5() throws Throwable { Transmission transmission0 = new Transmission(); String string0 = transmission0.getName(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 19:04:38 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Transmission_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Transmission"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmprt1bvixo"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Transmission_ESTest_scaffolding.class.getClassLoader() , "Transmission" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Transmission_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Transmission" ); } }
7
Component1
public class Component1 {}
.version 52 0 .class public super Component1 .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .sourcefile 'Component1.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 07:27:39 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Component1_ESTest extends Component1_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Component1 component1_0 = new Component1(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 07:27:39 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Component1_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Component1"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp1xc5gjen"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Component1_ESTest_scaffolding.class.getClassLoader() , "Component1" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Component1_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Component1" ); } }
8
TestDatabaseMetaData
import java.sql.Connection; import java.sql.DatabaseMetaData; import java.sql.DriverManager; import java.sql.SQLException; public class TestDatabaseMetaData { public static void main(String[] args) throws SQLException, ClassNotFoundException { // Load the JDBC driver Class.forName("com.mysql.jdbc.Driver"); System.out.println("Driver loaded"); // Establish a connection Connection connection = DriverManager.getConnection("jdbc:mysql://localhost/javabook", "scott", "tiger"); System.out.println("Database connected"); DatabaseMetaData dbMetaData = connection.getMetaData(); System.out.println("database URL: " + dbMetaData.getURL()); System.out.println("database username: " + dbMetaData.getUserName()); System.out.println("database product name: " + dbMetaData.getDatabaseProductName()); System.out.println("database product version: " + dbMetaData.getDatabaseProductVersion()); System.out.println("JDBC driver name: " + dbMetaData.getDriverName()); System.out.println("JDBC driver version: " + dbMetaData.getDriverVersion()); System.out.println("JDBC driver major version: " + dbMetaData.getDriverMajorVersion()); System.out.println("JDBC driver minor version: " + dbMetaData.getDriverMinorVersion()); System.out.println("Max number of connections: " + dbMetaData.getMaxConnections()); System.out.println("MaxTableNameLength: " + dbMetaData.getMaxTableNameLength()); System.out.println("MaxColumnsInTable: " + dbMetaData.getMaxColumnsInTable()); // Close the connection connection.close(); } }
.version 52 0 .class public super TestDatabaseMetaData .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 8 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 3 L0: ldc 'com.mysql.jdbc.Driver' L2: invokestatic Method java/lang/Class forName (Ljava/lang/String;)Ljava/lang/Class; L5: pop L6: getstatic Field java/lang/System out Ljava/io/PrintStream; L9: ldc 'Driver loaded' L11: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L14: ldc 'jdbc:mysql://localhost/javabook' L16: ldc 'scott' L18: ldc 'tiger' L20: invokestatic Method java/sql/DriverManager getConnection (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/sql/Connection; L23: astore_1 L24: getstatic Field java/lang/System out Ljava/io/PrintStream; L27: ldc 'Database connected' L29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L32: aload_1 L33: invokeinterface InterfaceMethod java/sql/Connection getMetaData ()Ljava/sql/DatabaseMetaData; 1 L38: astore_2 L39: getstatic Field java/lang/System out Ljava/io/PrintStream; L42: new java/lang/StringBuilder L45: dup L46: invokespecial Method java/lang/StringBuilder <init> ()V L49: ldc 'database URL: ' L51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L54: aload_2 L55: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getURL ()Ljava/lang/String; 1 L60: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L63: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L66: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L69: getstatic Field java/lang/System out Ljava/io/PrintStream; L72: new java/lang/StringBuilder L75: dup L76: invokespecial Method java/lang/StringBuilder <init> ()V L79: ldc 'database username: ' L81: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L84: aload_2 L85: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getUserName ()Ljava/lang/String; 1 L90: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L93: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L96: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L99: getstatic Field java/lang/System out Ljava/io/PrintStream; L102: new java/lang/StringBuilder L105: dup L106: invokespecial Method java/lang/StringBuilder <init> ()V L109: ldc 'database product name: ' L111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L114: aload_2 L115: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDatabaseProductName ()Ljava/lang/String; 1 L120: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L123: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L126: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L129: getstatic Field java/lang/System out Ljava/io/PrintStream; L132: new java/lang/StringBuilder L135: dup L136: invokespecial Method java/lang/StringBuilder <init> ()V L139: ldc 'database product version: ' L141: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L144: aload_2 L145: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDatabaseProductVersion ()Ljava/lang/String; 1 L150: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L153: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L156: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L159: getstatic Field java/lang/System out Ljava/io/PrintStream; L162: new java/lang/StringBuilder L165: dup L166: invokespecial Method java/lang/StringBuilder <init> ()V L169: ldc 'JDBC driver name: ' L171: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L174: aload_2 L175: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverName ()Ljava/lang/String; 1 L180: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L183: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L186: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L189: getstatic Field java/lang/System out Ljava/io/PrintStream; L192: new java/lang/StringBuilder L195: dup L196: invokespecial Method java/lang/StringBuilder <init> ()V L199: ldc 'JDBC driver version: ' L201: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L204: aload_2 L205: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverVersion ()Ljava/lang/String; 1 L210: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L213: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L216: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L219: getstatic Field java/lang/System out Ljava/io/PrintStream; L222: new java/lang/StringBuilder L225: dup L226: invokespecial Method java/lang/StringBuilder <init> ()V L229: ldc 'JDBC driver major version: ' L231: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L234: aload_2 L235: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverMajorVersion ()I 1 L240: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L243: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L246: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L249: getstatic Field java/lang/System out Ljava/io/PrintStream; L252: new java/lang/StringBuilder L255: dup L256: invokespecial Method java/lang/StringBuilder <init> ()V L259: ldc 'JDBC driver minor version: ' L261: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L264: aload_2 L265: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getDriverMinorVersion ()I 1 L270: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L273: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L276: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L279: getstatic Field java/lang/System out Ljava/io/PrintStream; L282: new java/lang/StringBuilder L285: dup L286: invokespecial Method java/lang/StringBuilder <init> ()V L289: ldc 'Max number of connections: ' L291: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L294: aload_2 L295: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getMaxConnections ()I 1 L300: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L303: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L306: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L309: getstatic Field java/lang/System out Ljava/io/PrintStream; L312: new java/lang/StringBuilder L315: dup L316: invokespecial Method java/lang/StringBuilder <init> ()V L319: ldc 'MaxTableNameLength: ' L321: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L324: aload_2 L325: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getMaxTableNameLength ()I 1 L330: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L333: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L336: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L339: getstatic Field java/lang/System out Ljava/io/PrintStream; L342: new java/lang/StringBuilder L345: dup L346: invokespecial Method java/lang/StringBuilder <init> ()V L349: ldc 'MaxColumnsInTable: ' L351: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L354: aload_2 L355: invokeinterface InterfaceMethod java/sql/DatabaseMetaData getMaxColumnsInTable ()I 1 L360: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L363: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L366: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L369: aload_1 L370: invokeinterface InterfaceMethod java/sql/Connection close ()V 1 L375: return L376: .linenumbertable L0 12 L6 13 L14 16 L20 17 L24 18 L32 20 L39 21 L69 22 L85 23 L96 22 L99 24 L115 25 L126 24 L129 26 L145 27 L156 26 L159 28 L175 29 L186 28 L189 30 L205 31 L216 30 L219 32 L235 33 L246 32 L249 34 L265 35 L276 34 L279 36 L295 37 L306 36 L309 38 L325 39 L336 38 L339 40 L355 41 L366 40 L369 44 L375 45 .end linenumbertable .end code .exceptions java/sql/SQLException java/lang/ClassNotFoundException .end method .sourcefile 'TestDatabaseMetaData.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 07:50:05 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class TestDatabaseMetaData_ESTest extends TestDatabaseMetaData_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; try { TestDatabaseMetaData.main(stringArray0); fail("Expecting exception: ClassNotFoundException"); } catch(ClassNotFoundException e) { } } @Test(timeout = 4000) public void test1() throws Throwable { TestDatabaseMetaData testDatabaseMetaData0 = new TestDatabaseMetaData(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 07:50:05 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class TestDatabaseMetaData_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "TestDatabaseMetaData"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpjy9tw00a"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestDatabaseMetaData_ESTest_scaffolding.class.getClassLoader() , "TestDatabaseMetaData" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestDatabaseMetaData_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TestDatabaseMetaData" ); } }
9
UserOnline
import java.util.Date; /** */ public class UserOnline { /** */ private String id; private String userId; private String username; /** 用户主机地址 */ private String host; /** 用户登录时系统IP */ private String systemHost; /** 用户浏览器类型 */ private String userAgent; /** 在线状态 */ private String status = "on_line"; /** session创建时间 */ private Date startTimestamp; /** session最后访问时间 */ private Date lastAccessTime; /** 超时时间 */ private Long timeout; /** 备份的当前用户会话 */ private String onlineSession; public String getId() { return id; } public void setId(String id) { this.id = id; } public Date getStartTimestamp() { return startTimestamp; } public void setStartTimestamp(Date startTimestamp) { this.startTimestamp = startTimestamp; } public Date getLastAccessTime() { return lastAccessTime; } public void setLastAccessTime(Date lastAccessTime) { this.lastAccessTime = lastAccessTime; } public Long getTimeout() { return timeout; } public void setTimeout(Long timeout) { this.timeout = timeout; } public String getHost() { return host; } public void setHost(String host) { this.host = host; } public String getUserId() { return userId; } public void setUserId(String userId) { this.userId = userId; } public String getUsername() { return username; } public void setUsername(String username) { this.username = username; } public String getUserAgent() { return userAgent; } public void setUserAgent(String userAgent) { this.userAgent = userAgent; } public String getStatus() { return status; } public void setStatus(String status) { this.status = status; } public String getOnlineSession() { return onlineSession; } public void setOnlineSession(String onlineSession) { this.onlineSession = onlineSession; } public String getSystemHost() { return systemHost; } public void setSystemHost(String systemHost) { this.systemHost = systemHost; } }
.version 52 0 .class public super UserOnline .super java/lang/Object .field private id Ljava/lang/String; .field private userId Ljava/lang/String; .field private username Ljava/lang/String; .field private host Ljava/lang/String; .field private systemHost Ljava/lang/String; .field private userAgent Ljava/lang/String; .field private status Ljava/lang/String; .field private startTimestamp Ljava/util/Date; .field private lastAccessTime Ljava/util/Date; .field private timeout Ljava/lang/Long; .field private onlineSession Ljava/lang/String; .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: ldc 'on_line' L7: putfield Field UserOnline status Ljava/lang/String; L10: return L11: .linenumbertable L0 9 L4 37 .end linenumbertable .end code .end method .method public getId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 60 .end linenumbertable .end code .end method .method public setId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline id Ljava/lang/String; L5: return L6: .linenumbertable L0 64 L5 65 .end linenumbertable .end code .end method .method public getStartTimestamp : ()Ljava/util/Date; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline startTimestamp Ljava/util/Date; L4: areturn L5: .linenumbertable L0 68 .end linenumbertable .end code .end method .method public setStartTimestamp : (Ljava/util/Date;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline startTimestamp Ljava/util/Date; L5: return L6: .linenumbertable L0 72 L5 73 .end linenumbertable .end code .end method .method public getLastAccessTime : ()Ljava/util/Date; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline lastAccessTime Ljava/util/Date; L4: areturn L5: .linenumbertable L0 76 .end linenumbertable .end code .end method .method public setLastAccessTime : (Ljava/util/Date;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline lastAccessTime Ljava/util/Date; L5: return L6: .linenumbertable L0 80 L5 81 .end linenumbertable .end code .end method .method public getTimeout : ()Ljava/lang/Long; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline timeout Ljava/lang/Long; L4: areturn L5: .linenumbertable L0 84 .end linenumbertable .end code .end method .method public setTimeout : (Ljava/lang/Long;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline timeout Ljava/lang/Long; L5: return L6: .linenumbertable L0 88 L5 89 .end linenumbertable .end code .end method .method public getHost : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline host Ljava/lang/String; L4: areturn L5: .linenumbertable L0 92 .end linenumbertable .end code .end method .method public setHost : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline host Ljava/lang/String; L5: return L6: .linenumbertable L0 96 L5 97 .end linenumbertable .end code .end method .method public getUserId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline userId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 100 .end linenumbertable .end code .end method .method public setUserId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline userId Ljava/lang/String; L5: return L6: .linenumbertable L0 104 L5 105 .end linenumbertable .end code .end method .method public getUsername : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline username Ljava/lang/String; L4: areturn L5: .linenumbertable L0 108 .end linenumbertable .end code .end method .method public setUsername : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline username Ljava/lang/String; L5: return L6: .linenumbertable L0 112 L5 113 .end linenumbertable .end code .end method .method public getUserAgent : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline userAgent Ljava/lang/String; L4: areturn L5: .linenumbertable L0 116 .end linenumbertable .end code .end method .method public setUserAgent : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline userAgent Ljava/lang/String; L5: return L6: .linenumbertable L0 120 L5 121 .end linenumbertable .end code .end method .method public getStatus : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline status Ljava/lang/String; L4: areturn L5: .linenumbertable L0 124 .end linenumbertable .end code .end method .method public setStatus : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline status Ljava/lang/String; L5: return L6: .linenumbertable L0 128 L5 129 .end linenumbertable .end code .end method .method public getOnlineSession : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline onlineSession Ljava/lang/String; L4: areturn L5: .linenumbertable L0 132 .end linenumbertable .end code .end method .method public setOnlineSession : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline onlineSession Ljava/lang/String; L5: return L6: .linenumbertable L0 136 L5 137 .end linenumbertable .end code .end method .method public getSystemHost : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserOnline systemHost Ljava/lang/String; L4: areturn L5: .linenumbertable L0 141 .end linenumbertable .end code .end method .method public setSystemHost : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field UserOnline systemHost Ljava/lang/String; L5: return L6: .linenumbertable L0 145 L5 146 .end linenumbertable .end code .end method .sourcefile 'UserOnline.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 18:33:10 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.util.MockDate; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class UserOnline_ESTest extends UserOnline_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setUsername("JIG`ByoP49G<sg;Z*"); userOnline0.getUsername(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test01() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setUserId("w4U#*Jn6@4f~f[m9"); userOnline0.getUserId(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test02() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setUserId(""); userOnline0.getUserId(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test03() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setUserAgent("SN;6oiwJ12"); userOnline0.getUserAgent(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test04() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setUserAgent(""); userOnline0.getUserAgent(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test05() throws Throwable { UserOnline userOnline0 = new UserOnline(); Long long0 = new Long((-18533L)); userOnline0.setTimeout(long0); userOnline0.getTimeout(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test06() throws Throwable { UserOnline userOnline0 = new UserOnline(); Long long0 = new Long(0L); userOnline0.setTimeout(long0); userOnline0.getTimeout(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test07() throws Throwable { UserOnline userOnline0 = new UserOnline(); Long long0 = new Long(1L); userOnline0.setTimeout(long0); userOnline0.getTimeout(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test08() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setSystemHost("GelOdN)O};O"); userOnline0.getSystemHost(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test09() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setStatus((String) null); String string0 = userOnline0.getStatus(); assertNull(string0); } @Test(timeout = 4000) public void test10() throws Throwable { UserOnline userOnline0 = new UserOnline(); MockDate mockDate0 = new MockDate(70909L); userOnline0.setStartTimestamp(mockDate0); userOnline0.getStartTimestamp(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test11() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setOnlineSession("UserOnline"); userOnline0.getOnlineSession(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test12() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setOnlineSession(""); userOnline0.getOnlineSession(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test13() throws Throwable { UserOnline userOnline0 = new UserOnline(); MockDate mockDate0 = new MockDate(0, 0, 0, (-33675), 28391, 0); userOnline0.setLastAccessTime(mockDate0); userOnline0.getLastAccessTime(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test14() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setId("2[p_2-d<jsp6EM*,(E"); userOnline0.getId(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test15() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setHost("UserOnline"); userOnline0.getHost(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test16() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setHost(""); userOnline0.getHost(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test17() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setUsername(""); userOnline0.getUsername(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test18() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getHost(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test19() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getUserAgent(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test20() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getLastAccessTime(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test21() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getUserId(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test22() throws Throwable { UserOnline userOnline0 = new UserOnline(); String string0 = userOnline0.getStatus(); assertEquals("on_line", string0); } @Test(timeout = 4000) public void test23() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setStatus(""); String string0 = userOnline0.getStatus(); assertEquals("", string0); } @Test(timeout = 4000) public void test24() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getTimeout(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test25() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getSystemHost(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test26() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getStartTimestamp(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test27() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getOnlineSession(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test28() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getUsername(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test29() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setSystemHost(""); userOnline0.getSystemHost(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test30() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.setId(""); userOnline0.getId(); assertEquals("on_line", userOnline0.getStatus()); } @Test(timeout = 4000) public void test31() throws Throwable { UserOnline userOnline0 = new UserOnline(); userOnline0.getId(); assertEquals("on_line", userOnline0.getStatus()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 18:33:10 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class UserOnline_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "UserOnline"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpe6cbvmzx"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserOnline_ESTest_scaffolding.class.getClassLoader() , "UserOnline" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserOnline_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "UserOnline" ); } }
10
DaemonThreadFactory
import java.util.concurrent.Executors; import java.util.concurrent.ThreadFactory; public class DaemonThreadFactory implements ThreadFactory { @Override public Thread newThread(Runnable runnable) { Thread thread = Executors.defaultThreadFactory().newThread(runnable); thread.setDaemon(true); return thread; } }
.version 52 0 .class public super DaemonThreadFactory .super java/lang/Object .implements java/util/concurrent/ThreadFactory .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 6 .end linenumbertable .end code .end method .method public newThread : (Ljava/lang/Runnable;)Ljava/lang/Thread; .code stack 2 locals 3 L0: invokestatic Method java/util/concurrent/Executors defaultThreadFactory ()Ljava/util/concurrent/ThreadFactory; L3: aload_1 L4: invokeinterface InterfaceMethod java/util/concurrent/ThreadFactory newThread (Ljava/lang/Runnable;)Ljava/lang/Thread; 2 L9: astore_2 L10: aload_2 L11: iconst_1 L12: invokevirtual Method java/lang/Thread setDaemon (Z)V L15: aload_2 L16: areturn L17: .linenumbertable L0 10 L10 11 L15 12 .end linenumbertable .end code .end method .sourcefile 'DaemonThreadFactory.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 06:57:15 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.evosuite.runtime.mock.java.lang.MockThread; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class DaemonThreadFactory_ESTest extends DaemonThreadFactory_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { DaemonThreadFactory daemonThreadFactory0 = new DaemonThreadFactory(); ThreadGroup threadGroup0 = mock(ThreadGroup.class, new ViolatedAssumptionAnswer()); MockThread mockThread0 = new MockThread(threadGroup0, (Runnable) null, "S`hs7", 0L); Thread thread0 = daemonThreadFactory0.newThread(mockThread0); assertTrue(thread0.isDaemon()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 06:57:15 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class DaemonThreadFactory_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "DaemonThreadFactory"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); try { initMocksToAvoidTimeoutsInTheTests(); } catch(ClassNotFoundException e) {} } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp7tawj2mz"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DaemonThreadFactory_ESTest_scaffolding.class.getClassLoader() , "DaemonThreadFactory" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.lang.ThreadGroup", false, DaemonThreadFactory_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DaemonThreadFactory_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DaemonThreadFactory" ); } }
11
Coordinate
/* * Copyright (C) 2000 - 2016 Silverpeas * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU Affero General Public License as * published by the Free Software Foundation, either version 3 of the * License, or (at your option) any later version. * * As a special exception to the terms and conditions of version 3.0 of * the GPL, you may redistribute this Program in connection with Free/Libre * Open Source Software ("FLOSS") applications as described in Silverpeas's * FLOSS exception. You should have received a copy of the text describing * the FLOSS exception, and it is also available here: * "http://www.silverpeas.org/docs/core/legal/floss_exception.html" * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU Affero General Public License for more details. * * You should have received a copy of the GNU Affero General Public License * along with this program. If not, see <http://www.gnu.org/licenses/>. */ import java.io.Serializable; import java.util.Collection; /** * Class declaration * * @author * @version %I%, %G% */ public class Coordinate implements Serializable { private int coordinateId; private Collection coordinatePoints; /** Empty Constructor needed for mapping Castor */ public Coordinate() {} /** * Constructor declaration * * @param coordinateId * @param coordinatePoints * @see */ public Coordinate(int coordinateId, Collection coordinatePoints) { this.coordinateId = coordinateId; this.coordinatePoints = coordinatePoints; } /** * Method declaration * * @return * @see */ public int getCoordinateId() { return this.coordinateId; } /** * Method declaration * * @return * @see */ public Collection getCoordinatePoints() { return this.coordinatePoints; } /** * Method declaration * * @param coordinateId * @see */ public void setCoordinateId(int coordinateId) { this.coordinateId = coordinateId; } /** * Method declaration * * @param coordinatePoints * @see */ public void setCoordinatePoints(Collection coordinatePoints) { this.coordinatePoints = coordinatePoints; } /** * Method declaration * * @return * @see */ @Override public String toString() { StringBuilder result = new StringBuilder("Coordinate {\n"); result.append(" getCoordinateId() = ").append(getCoordinateId()).append("\n"); result .append(" getCoordinatePoints() = ") .append(getCoordinatePoints().toString()) .append("\n"); result.append("}"); return result.toString(); } @Override public int hashCode() { int hash = 7; hash = 97 * hash + this.coordinateId; hash = 97 * hash + (this.coordinatePoints != null ? this.coordinatePoints.hashCode() : 0); return hash; } @Override public boolean equals(Object obj) { if (obj == null) { return false; } if (getClass() != obj.getClass()) { return false; } final Coordinate other = (Coordinate) obj; if (this.coordinateId != other.coordinateId) { return false; } if (this.coordinatePoints != other.coordinatePoints && (this.coordinatePoints == null || !this.coordinatePoints.equals(other.coordinatePoints))) { return false; } return true; } }
.version 52 0 .class public super Coordinate .super java/lang/Object .implements java/io/Serializable .field private coordinateId I .field private coordinatePoints Ljava/util/Collection; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 43 L4 44 .end linenumbertable .end code .end method .method public <init> : (ILjava/util/Collection;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field Coordinate coordinateId I L9: aload_0 L10: aload_2 L11: putfield Field Coordinate coordinatePoints Ljava/util/Collection; L14: return L15: .linenumbertable L0 52 L4 53 L9 54 L14 55 .end linenumbertable .end code .end method .method public getCoordinateId : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Coordinate coordinateId I L4: ireturn L5: .linenumbertable L0 63 .end linenumbertable .end code .end method .method public getCoordinatePoints : ()Ljava/util/Collection; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L4: areturn L5: .linenumbertable L0 72 .end linenumbertable .end code .end method .method public setCoordinateId : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Coordinate coordinateId I L5: return L6: .linenumbertable L0 81 L5 82 .end linenumbertable .end code .end method .method public setCoordinatePoints : (Ljava/util/Collection;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Coordinate coordinatePoints Ljava/util/Collection; L5: return L6: .linenumbertable L0 90 L5 91 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 3 locals 2 L0: new java/lang/StringBuilder L3: dup L4: ldc 'Coordinate {\n' L6: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V L9: astore_1 L10: aload_1 L11: ldc ' getCoordinateId() = ' L13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L16: aload_0 L17: invokevirtual Method Coordinate getCoordinateId ()I L20: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L23: ldc '\n' L25: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L28: pop L29: aload_1 L30: ldc ' getCoordinatePoints() = ' L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L35: aload_0 L36: invokevirtual Method Coordinate getCoordinatePoints ()Ljava/util/Collection; L39: invokevirtual Method java/lang/Object toString ()Ljava/lang/String; L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L45: ldc '\n' L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L50: pop L51: aload_1 L52: ldc '}' L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L57: pop L58: aload_1 L59: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L62: areturn L63: .linenumbertable L0 100 L10 101 L29 102 L51 104 L58 105 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 2 locals 2 L0: bipush 7 L2: istore_1 L3: bipush 97 L5: iload_1 L6: imul L7: aload_0 L8: getfield Field Coordinate coordinateId I L11: iadd L12: istore_1 L13: bipush 97 L15: iload_1 L16: imul L17: aload_0 L18: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L21: ifnull L36 L24: aload_0 L25: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L28: invokeinterface InterfaceMethod java/util/Collection hashCode ()I 1 L33: goto L37 .stack full locals Object Coordinate Integer stack Integer .end stack L36: iconst_0 .stack full locals Object Coordinate Integer stack Integer Integer .end stack L37: iadd L38: istore_1 L39: iload_1 L40: ireturn L41: .linenumbertable L0 110 L3 111 L13 112 L39 113 .end linenumbertable .end code .end method .method public equals : (Ljava/lang/Object;)Z .code stack 2 locals 3 L0: aload_1 L1: ifnonnull L6 L4: iconst_0 L5: ireturn .stack same L6: aload_0 L7: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L10: aload_1 L11: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class; L14: if_acmpeq L19 L17: iconst_0 L18: ireturn .stack same L19: aload_1 L20: checkcast Coordinate L23: astore_2 L24: aload_0 L25: getfield Field Coordinate coordinateId I L28: aload_2 L29: getfield Field Coordinate coordinateId I L32: if_icmpeq L37 L35: iconst_0 L36: ireturn .stack append Object Coordinate L37: aload_0 L38: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L41: aload_2 L42: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L45: if_acmpeq L73 L48: aload_0 L49: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L52: ifnull L71 L55: aload_0 L56: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L59: aload_2 L60: getfield Field Coordinate coordinatePoints Ljava/util/Collection; L63: invokeinterface InterfaceMethod java/util/Collection equals (Ljava/lang/Object;)Z 2 L68: ifne L73 .stack same L71: iconst_0 L72: ireturn .stack same L73: iconst_1 L74: ireturn L75: .linenumbertable L0 118 L4 119 L6 121 L17 122 L19 124 L24 125 L35 126 L37 128 L63 129 L71 130 L73 132 .end linenumbertable .end code .end method .sourcefile 'Coordinate.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 11:28:43 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.util.Collection; import java.util.LinkedList; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Coordinate_ESTest extends Coordinate_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); Coordinate coordinate0 = new Coordinate(0, linkedList0); Coordinate coordinate1 = new Coordinate(56011, linkedList0); boolean boolean0 = coordinate0.equals(coordinate1); assertFalse(boolean0); assertEquals(56011, coordinate1.getCoordinateId()); assertFalse(coordinate1.equals((Object)coordinate0)); } @Test(timeout = 4000) public void test01() throws Throwable { Coordinate coordinate0 = new Coordinate(); Collection collection0 = coordinate0.getCoordinatePoints(); assertNull(collection0); } @Test(timeout = 4000) public void test02() throws Throwable { LinkedList<Object> linkedList0 = new LinkedList<Object>(); Coordinate coordinate0 = new Coordinate(0, linkedList0); coordinate0.setCoordinateId(23975); int int0 = coordinate0.getCoordinateId(); assertEquals(23975, int0); } @Test(timeout = 4000) public void test03() throws Throwable { LinkedList<Coordinate> linkedList0 = new LinkedList<Coordinate>(); Coordinate coordinate0 = new Coordinate((-1), linkedList0); int int0 = coordinate0.getCoordinateId(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test04() throws Throwable { Coordinate coordinate0 = new Coordinate(); int int0 = coordinate0.getCoordinateId(); assertEquals(0, int0); } @Test(timeout = 4000) public void test05() throws Throwable { Coordinate coordinate0 = new Coordinate(); LinkedList<Object> linkedList0 = new LinkedList<Object>(); coordinate0.setCoordinatePoints(linkedList0); Coordinate coordinate1 = new Coordinate(0, (Collection) null); boolean boolean0 = coordinate0.equals(coordinate1); assertEquals(0, coordinate1.getCoordinateId()); assertFalse(boolean0); } @Test(timeout = 4000) public void test06() throws Throwable { Coordinate coordinate0 = new Coordinate(); LinkedList<Integer> linkedList0 = new LinkedList<Integer>(); Coordinate coordinate1 = new Coordinate(0, linkedList0); boolean boolean0 = coordinate0.equals(coordinate1); assertEquals(0, coordinate1.getCoordinateId()); assertFalse(boolean0); } @Test(timeout = 4000) public void test07() throws Throwable { LinkedList<Object> linkedList0 = new LinkedList<Object>(); Coordinate coordinate0 = new Coordinate(0, linkedList0); coordinate0.setCoordinateId(23975); Collection collection0 = coordinate0.getCoordinatePoints(); Coordinate coordinate1 = new Coordinate(0, collection0); boolean boolean0 = coordinate0.equals(coordinate1); assertEquals(23975, coordinate0.getCoordinateId()); assertFalse(boolean0); } @Test(timeout = 4000) public void test08() throws Throwable { Coordinate coordinate0 = new Coordinate(); Object object0 = new Object(); boolean boolean0 = coordinate0.equals(object0); assertFalse(boolean0); } @Test(timeout = 4000) public void test09() throws Throwable { Coordinate coordinate0 = new Coordinate(); boolean boolean0 = coordinate0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test10() throws Throwable { Coordinate coordinate0 = new Coordinate(); boolean boolean0 = coordinate0.equals(coordinate0); assertTrue(boolean0); } @Test(timeout = 4000) public void test11() throws Throwable { LinkedList<Coordinate> linkedList0 = new LinkedList<Coordinate>(); Coordinate coordinate0 = new Coordinate((-1), linkedList0); coordinate0.hashCode(); assertEquals((-1), coordinate0.getCoordinateId()); } @Test(timeout = 4000) public void test12() throws Throwable { Coordinate coordinate0 = new Coordinate(); coordinate0.hashCode(); } @Test(timeout = 4000) public void test13() throws Throwable { Coordinate coordinate0 = new Coordinate(); // Undeclared exception! try { coordinate0.toString(); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("org.evosuite.runtime.System", e); } } @Test(timeout = 4000) public void test14() throws Throwable { Coordinate coordinate0 = new Coordinate(); LinkedList<Integer> linkedList0 = new LinkedList<Integer>(); coordinate0.setCoordinatePoints(linkedList0); coordinate0.toString(); assertEquals(0, coordinate0.getCoordinateId()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 11:28:43 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Coordinate_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Coordinate"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpwes352nx"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Coordinate_ESTest_scaffolding.class.getClassLoader() , "Coordinate" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Coordinate_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Coordinate" ); } }
12
Problem1403
import java.util.ArrayList; import java.util.Arrays; import java.util.List; /** https://leetcode.com/problems/minimum-subsequence-in-non-increasing-order/ */ public class Problem1403 { public List<Integer> minSubsequence(int[] nums) { Arrays.sort(nums); int sum = 0; for (int num : nums) { sum += num; } List<Integer> answer = new ArrayList<>(); int tmp = 0; for (int i = nums.length - 1; i >= 0; i--) { tmp += nums[i]; answer.add(nums[i]); if (sum - tmp < tmp) { break; } } return answer; } }
.version 52 0 .class public super Problem1403 .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 10 .end linenumbertable .end code .end method .method public minSubsequence : ([I)Ljava/util/List; .code stack 3 locals 7 L0: aload_1 L1: invokestatic Method java/util/Arrays sort ([I)V L4: iconst_0 L5: istore_2 L6: aload_1 L7: astore_3 L8: aload_3 L9: arraylength L10: istore 4 L12: iconst_0 L13: istore 5 .stack full locals Object Problem1403 Object [I Integer Object [I Integer Integer stack .end stack L15: iload 5 L17: iload 4 L19: if_icmpge L39 L22: aload_3 L23: iload 5 L25: iaload L26: istore 6 L28: iload_2 L29: iload 6 L31: iadd L32: istore_2 L33: iinc 5 1 L36: goto L15 .stack chop 3 L39: new java/util/ArrayList L42: dup L43: invokespecial Method java/util/ArrayList <init> ()V L46: astore_3 L47: iconst_0 L48: istore 4 L50: aload_1 L51: arraylength L52: iconst_1 L53: isub L54: istore 5 .stack append Object java/util/List Integer Integer L56: iload 5 L58: iflt L102 L61: iload 4 L63: aload_1 L64: iload 5 L66: iaload L67: iadd L68: istore 4 L70: aload_3 L71: aload_1 L72: iload 5 L74: iaload L75: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L78: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L83: pop L84: iload_2 L85: iload 4 L87: isub L88: iload 4 L90: if_icmpge L96 L93: goto L102 .stack same L96: iinc 5 -1 L99: goto L56 .stack chop 1 L102: aload_3 L103: areturn L104: .linenumbertable L0 12 L4 13 L6 14 L28 15 L33 14 L39 17 L47 18 L50 19 L61 20 L70 21 L84 22 L93 23 L96 19 L102 26 .end linenumbertable .end code .signature ([I)Ljava/util/List<Ljava/lang/Integer;>; .end method .sourcefile 'Problem1403.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 23:53:42 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.List; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Problem1403_ESTest extends Problem1403_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Problem1403 problem1403_0 = new Problem1403(); int[] intArray0 = new int[1]; intArray0[0] = (-28630); List<Integer> list0 = problem1403_0.minSubsequence(intArray0); assertTrue(list0.contains((-28630))); } @Test(timeout = 4000) public void test1() throws Throwable { Problem1403 problem1403_0 = new Problem1403(); int[] intArray0 = new int[5]; intArray0[2] = 1; intArray0[4] = (-22731); List<Integer> list0 = problem1403_0.minSubsequence(intArray0); assertEquals(1, list0.size()); assertTrue(list0.contains(1)); } @Test(timeout = 4000) public void test2() throws Throwable { Problem1403 problem1403_0 = new Problem1403(); int[] intArray0 = new int[5]; intArray0[1] = (-1); List<Integer> list0 = problem1403_0.minSubsequence(intArray0); assertEquals(1, list0.size()); int[] intArray1 = new int[0]; List<Integer> list1 = problem1403_0.minSubsequence(intArray1); assertFalse(list1.equals((Object)list0)); } @Test(timeout = 4000) public void test3() throws Throwable { Problem1403 problem1403_0 = new Problem1403(); int[] intArray0 = new int[5]; intArray0[1] = (-1); int[] intArray1 = new int[2]; List<Integer> list0 = problem1403_0.minSubsequence(intArray0); assertEquals(1, list0.size()); List<Integer> list1 = problem1403_0.minSubsequence(intArray1); assertEquals(2, list1.size()); } @Test(timeout = 4000) public void test4() throws Throwable { Problem1403 problem1403_0 = new Problem1403(); int[] intArray0 = new int[2]; List<Integer> list0 = problem1403_0.minSubsequence(intArray0); assertEquals(2, list0.size()); } @Test(timeout = 4000) public void test5() throws Throwable { Problem1403 problem1403_0 = new Problem1403(); int[] intArray0 = new int[0]; List<Integer> list0 = problem1403_0.minSubsequence(intArray0); assertEquals(0, list0.size()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 23:53:42 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Problem1403_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Problem1403"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp4t5encdq"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Problem1403_ESTest_scaffolding.class.getClassLoader() , "Problem1403" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Problem1403_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Problem1403" ); } }
13
ALogUtil
public class ALogUtil { public static final boolean log = false; }
.version 52 0 .class public super ALogUtil .super java/lang/Object .field public static final log Z = 0 .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .sourcefile 'ALogUtil.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 17:22:34 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ALogUtil_ESTest extends ALogUtil_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ALogUtil aLogUtil0 = new ALogUtil(); assertFalse(ALogUtil.log); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 17:22:34 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class ALogUtil_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ALogUtil"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpfzxaqydm"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ALogUtil_ESTest_scaffolding.class.getClassLoader() , "ALogUtil" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ALogUtil_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ALogUtil" ); } }
14
End of preview. Expand in Data Studio

java-decompiler

This dataset contains Java source files and corresponding decompiled bytecode, suitable for training or evaluating decompilation and code understanding models.

The Java files were extracted from public GitHub repositories indexed in Google BigQuery’s GitHub dataset. Files were selected with the following filters:

  • Only single-class files were retained.
  • Only files importing java.* libraries (i.e., no third-party dependencies).
  • Each file was compilable with minimal external configuration.

Files

  • train_class.json: Training set
  • test_class.json: Test set

All files are in JSON Lines format (.jsonl). Each line represents one Java class with the following structure:

  • class_name: Class name (string)
  • java_source: Full original Java source code (string)
  • jasm_code: Decompiled Java assembly (string)
  • java_test: Unit test code (string)
  • java_scaffold: Partial class scaffold (string)
  • class_idx: Integer class label (int64)

License

This dataset was derived from public GitHub repositories indexed by Google BigQuery.
Each sample may be governed by its original repository's license.

This dataset is intended for academic research only.
Redistribution of any individual source file must comply with the terms of its original license.

Downloads last month
187